Skip to content

Instantly share code, notes, and snippets.

@georgehc
Created February 27, 2019 04:23
Show Gist options
  • Star 0 You must be signed in to star a gist
  • Fork 0 You must be signed in to fork a gist
  • Save georgehc/7b98a270ddc1b51b9a2290e2f53a7c8d to your computer and use it in GitHub Desktop.
Save georgehc/7b98a270ddc1b51b9a2290e2f53a7c8d to your computer and use it in GitHub Desktop.
Display the source blob
Display the rendered blob
Raw
{
"cells": [
{
"cell_type": "markdown",
"metadata": {},
"source": [
"# Recitation 2/22: (Hopefully useful) project tips"
]
},
{
"cell_type": "markdown",
"metadata": {},
"source": [
"Code authors: David Pinski, George Chen"
]
},
{
"cell_type": "markdown",
"metadata": {},
"source": [
"#### Installing Textblob\n",
"\n",
"If you want to follow along with the sentiment analysis (or wish to use it for your own projects), I recommend installing [textblob](https://textblob.readthedocs.io/en/dev/install.html):\n",
"\n",
"\n",
"```conda install -c conda-forge textblob```"
]
},
{
"cell_type": "code",
"execution_count": 524,
"metadata": {},
"outputs": [],
"source": [
"#Import modules\n",
"\n",
"import numpy as np\n",
"import pandas as pd\n",
"from collections import Counter\n",
"import matplotlib.pyplot as plt\n",
"from sklearn.feature_extraction.text import TfidfVectorizer\n",
"from sklearn.feature_extraction.text import CountVectorizer\n",
"import sklearn\n",
"from textblob import TextBlob"
]
},
{
"cell_type": "markdown",
"metadata": {},
"source": [
"## Working with Presidential Debate Data"
]
},
{
"cell_type": "code",
"execution_count": 525,
"metadata": {},
"outputs": [],
"source": [
"#Function to read in dataset and variations\n",
"def get_dataset(file_name, applause_only = True, candidate = None):\n",
" \n",
" candidate_names = [\"Clinton\", \"Sanders\", \"O'Malley\", \"Trump\", \"Bush\", \"Rubio\", \"Cruz\", \"Kasich\", \"Carson\", \"Christie\", \"Fiorina\", \"Paul\", \"Perry\", \"Santorum\", \"Walker\", \"Pataki\", \"Jindal\", \"Huckabee\", \"Graham\", \"Gilmore\", \"Kaine\", \"Pence\"]\n",
"\n",
" #import data\n",
" csv_data = pd.io.parsers.read_csv(file_name)\n",
"\n",
" #revised code here with .contains to deal with combination responses like applause & laughter\n",
" csv_data['applause'] = np.where(csv_data['Text'].str.contains(\"(APPLAUSE)\"), True, False) #create column if text = applause\n",
" \n",
"\n",
" #creates column based on whether text is followed by applause\n",
" csv_data[\"FollowedByApplause\"] = csv_data[\"applause\"].shift(-1) \n",
" \n",
" #drop applause column\n",
" csv_data = csv_data.drop(columns = ['applause']) \n",
" \n",
" #drop interjections; i.e., where word count < 4\n",
" csv_data = csv_data[(csv_data['Text'].str.split().apply(len) >= 4) | (csv_data[\"Speaker\"] != \"AUDIENCE\")] \n",
" \n",
" #Filter out rows where the speaker is not a candidate\n",
" csv_data = csv_data[(csv_data['Text'] != \"(APPLAUSE)\") & (csv_data['Speaker'].isin(candidate_names))]\n",
" \n",
" csv_data['Text'] = csv_data['Text'].str.lower() #convert text field lower case\n",
" csv_data['Text'] = csv_data['Text'].str.replace('[^\\w\\s]','') #drop punctuation\n",
"\n",
" #remove stopwords using NLTK package\n",
" csv_data['Text'] = csv_data['Text'].str.split() #split column into list of words for each row\n",
" #csv_data['Text'] = csv_data['Text'].apply(lambda x: [item for item in x if item not in stop])\n",
"\n",
" #stem words using NLTK package\n",
" #csv_data['Text'] = csv_data['Text'].apply(lambda x: [stemmer.stem(y) for y in x])\n",
" \n",
" #convert data back to strings for Tfidfvectorizer\n",
" csv_data['Text'] = csv_data['Text'].apply(lambda x: [' '.join(x)])\n",
" csv_data['Text'] = csv_data['Text'].apply(lambda x: ''.join(map(str, x)))\n",
" \n",
" if applause_only:\n",
" csv_data = csv_data.where(csv_data[\"FollowedByApplause\"]== True)\n",
" csv_data = csv_data.dropna()\n",
" \n",
" # parses out specified candidates if parameter exists, otherwise return entire dataset\n",
" if candidate is not None:\n",
" if candidate in candidate_names:\n",
" csv_data = csv_data.where(csv_data[\"Speaker\"]== candidate)\n",
" csv_data = csv_data.dropna()\n",
" \n",
" return csv_data"
]
},
{
"cell_type": "code",
"execution_count": 526,
"metadata": {},
"outputs": [
{
"name": "stderr",
"output_type": "stream",
"text": [
"/anaconda3/envs/py37/lib/python3.7/site-packages/ipykernel_launcher.py:10: UserWarning: This pattern has match groups. To actually get the groups, use str.extract.\n",
" # Remove the CWD from sys.path while we load stuff.\n"
]
}
],
"source": [
"#Read in dataset\n",
"\n",
"debates = get_dataset(\"primary_debates_cleaned.csv\", applause_only = False).reset_index()\n"
]
},
{
"cell_type": "code",
"execution_count": 527,
"metadata": {},
"outputs": [
{
"data": {
"text/plain": [
"0 2016-02-11\n",
"1 2016-02-11\n",
"2 2016-02-11\n",
"3 2016-02-11\n",
"4 2016-02-11\n",
"Name: Date, dtype: object"
]
},
"execution_count": 527,
"metadata": {},
"output_type": "execute_result"
}
],
"source": [
"debates['Date'] = pd.to_datetime(debates['Date']).dt.date #change date to a workable format\n",
"debates['Date'].head()"
]
},
{
"cell_type": "code",
"execution_count": 528,
"metadata": {},
"outputs": [
{
"data": {
"text/plain": [
"5711"
]
},
"execution_count": 528,
"metadata": {},
"output_type": "execute_result"
}
],
"source": [
"len(debates) #5700 lines"
]
},
{
"cell_type": "code",
"execution_count": 529,
"metadata": {},
"outputs": [
{
"data": {
"text/html": [
"<div>\n",
"<style scoped>\n",
" .dataframe tbody tr th:only-of-type {\n",
" vertical-align: middle;\n",
" }\n",
"\n",
" .dataframe tbody tr th {\n",
" vertical-align: top;\n",
" }\n",
"\n",
" .dataframe thead th {\n",
" text-align: right;\n",
" }\n",
"</style>\n",
"<table border=\"1\" class=\"dataframe\">\n",
" <thead>\n",
" <tr style=\"text-align: right;\">\n",
" <th></th>\n",
" <th>index</th>\n",
" <th>Line</th>\n",
" <th>Speaker</th>\n",
" <th>Text</th>\n",
" <th>Date</th>\n",
" <th>Party</th>\n",
" <th>Location</th>\n",
" <th>URL</th>\n",
" <th>FollowedByApplause</th>\n",
" </tr>\n",
" </thead>\n",
" <tbody>\n",
" <tr>\n",
" <th>0</th>\n",
" <td>6</td>\n",
" <td>7</td>\n",
" <td>Clinton</td>\n",
" <td>thank you</td>\n",
" <td>2016-02-11</td>\n",
" <td>Democratic</td>\n",
" <td>Milwaukee, Wisconsin</td>\n",
" <td>http://www.presidency.ucsb.edu/ws/index.php?pi...</td>\n",
" <td>False</td>\n",
" </tr>\n",
" <tr>\n",
" <th>1</th>\n",
" <td>10</td>\n",
" <td>11</td>\n",
" <td>Sanders</td>\n",
" <td>well gwen and judy thank you very much for hos...</td>\n",
" <td>2016-02-11</td>\n",
" <td>Democratic</td>\n",
" <td>Milwaukee, Wisconsin</td>\n",
" <td>http://www.presidency.ucsb.edu/ws/index.php?pi...</td>\n",
" <td>False</td>\n",
" </tr>\n",
" <tr>\n",
" <th>2</th>\n",
" <td>14</td>\n",
" <td>15</td>\n",
" <td>Clinton</td>\n",
" <td>im running for president to knock down all the...</td>\n",
" <td>2016-02-11</td>\n",
" <td>Democratic</td>\n",
" <td>Milwaukee, Wisconsin</td>\n",
" <td>http://www.presidency.ucsb.edu/ws/index.php?pi...</td>\n",
" <td>False</td>\n",
" </tr>\n",
" <tr>\n",
" <th>3</th>\n",
" <td>20</td>\n",
" <td>21</td>\n",
" <td>Sanders</td>\n",
" <td>well to put that in a context judy i think we ...</td>\n",
" <td>2016-02-11</td>\n",
" <td>Democratic</td>\n",
" <td>Milwaukee, Wisconsin</td>\n",
" <td>http://www.presidency.ucsb.edu/ws/index.php?pi...</td>\n",
" <td>False</td>\n",
" </tr>\n",
" <tr>\n",
" <th>4</th>\n",
" <td>22</td>\n",
" <td>23</td>\n",
" <td>Sanders</td>\n",
" <td>of course there will be a limit but when today...</td>\n",
" <td>2016-02-11</td>\n",
" <td>Democratic</td>\n",
" <td>Milwaukee, Wisconsin</td>\n",
" <td>http://www.presidency.ucsb.edu/ws/index.php?pi...</td>\n",
" <td>False</td>\n",
" </tr>\n",
" </tbody>\n",
"</table>\n",
"</div>"
],
"text/plain": [
" index Line Speaker Text \\\n",
"0 6 7 Clinton thank you \n",
"1 10 11 Sanders well gwen and judy thank you very much for hos... \n",
"2 14 15 Clinton im running for president to knock down all the... \n",
"3 20 21 Sanders well to put that in a context judy i think we ... \n",
"4 22 23 Sanders of course there will be a limit but when today... \n",
"\n",
" Date Party Location \\\n",
"0 2016-02-11 Democratic Milwaukee, Wisconsin \n",
"1 2016-02-11 Democratic Milwaukee, Wisconsin \n",
"2 2016-02-11 Democratic Milwaukee, Wisconsin \n",
"3 2016-02-11 Democratic Milwaukee, Wisconsin \n",
"4 2016-02-11 Democratic Milwaukee, Wisconsin \n",
"\n",
" URL FollowedByApplause \n",
"0 http://www.presidency.ucsb.edu/ws/index.php?pi... False \n",
"1 http://www.presidency.ucsb.edu/ws/index.php?pi... False \n",
"2 http://www.presidency.ucsb.edu/ws/index.php?pi... False \n",
"3 http://www.presidency.ucsb.edu/ws/index.php?pi... False \n",
"4 http://www.presidency.ucsb.edu/ws/index.php?pi... False "
]
},
"execution_count": 529,
"metadata": {},
"output_type": "execute_result"
}
],
"source": [
"debates.head()"
]
},
{
"cell_type": "markdown",
"metadata": {},
"source": [
"## Sentiment Analysis with TextBlob\n",
"\n",
"The polarity score is a float within the range [-1.0, 1.0]. The subjectivity is a float within the range [0.0, 1.0] where 0.0 is very objective and 1.0 is very subjective.\n",
"\n",
"More info [here](https://textblob.readthedocs.io/en/dev/quickstart.html)."
]
},
{
"cell_type": "code",
"execution_count": 530,
"metadata": {},
"outputs": [],
"source": [
"#TextBlob(\"i love this class\").sentiment\n",
"#TextBlob(\"i do not hate this class\").sentiment"
]
},
{
"cell_type": "code",
"execution_count": 531,
"metadata": {},
"outputs": [],
"source": [
"t = TextBlob(debates['Text'][100])"
]
},
{
"cell_type": "code",
"execution_count": 532,
"metadata": {},
"outputs": [
{
"data": {
"text/plain": [
"Sentiment(polarity=-0.027756734006734018, subjectivity=0.33217592592592593)"
]
},
"execution_count": 532,
"metadata": {},
"output_type": "execute_result"
}
],
"source": [
"#Print the polarity and subjectivity for one example\n",
"\n",
"t.sentiment"
]
},
{
"cell_type": "markdown",
"metadata": {},
"source": [
"### Add columns in the data"
]
},
{
"cell_type": "code",
"execution_count": 533,
"metadata": {},
"outputs": [],
"source": [
"#Adding a column in the dataframe for the polarity and subjectivity\n",
"\n",
"debates['polarity'] = debates['Text'].apply(lambda x: TextBlob(x).sentiment.polarity)\n",
"debates['subjectivity'] = debates['Text'].apply(lambda x: TextBlob(x).sentiment.subjectivity)"
]
},
{
"cell_type": "code",
"execution_count": 534,
"metadata": {},
"outputs": [
{
"data": {
"text/plain": [
"<matplotlib.axes._subplots.AxesSubplot at 0x1a2ea8c978>"
]
},
"execution_count": 534,
"metadata": {},
"output_type": "execute_result"
},
{
"data": {
"image/png": "iVBORw0KGgoAAAANSUhEUgAAAX0AAAEyCAYAAAAWdwDoAAAABHNCSVQICAgIfAhkiAAAAAlwSFlzAAALEgAACxIB0t1+/AAAADl0RVh0U29mdHdhcmUAbWF0cGxvdGxpYiB2ZXJzaW9uIDMuMC4yLCBodHRwOi8vbWF0cGxvdGxpYi5vcmcvOIA7rQAAIABJREFUeJzt3XmcZFV9/vHPM4OAihKU0SgwDiqoaBR0AEWDO+IG7kAkopKgcdefxiEmbG64r2jEiEFFAcVlVAygghsCM8iOEAdEGdGIDuICogPP749zi7ldU911b1Ux0z33eb9e/equW/ecOl3Lt849q2wTERHdMG99FyAiItadBP2IiA5J0I+I6JAE/YiIDknQj4jokAT9iIgOSdCPiOiQBP2IiA5J0I+I6JAE/YiIDtlofReg35ZbbulFixat72JERMwp55577m9sLxh23qwL+osWLWL58uXruxgREXOKpJ81Oa9R846kPSVdLmmFpCUD7n+dpEslXSjpW5LuVbvvZknnVz9Lm/8LERExaUNr+pLmA0cBTwRWAsskLbV9ae2084DFtm+Q9C/AO4F9qvtutL3jhMsdEREjaFLT3wVYYftK238Bjgf2rp9g+3TbN1Q3zwK2nmwxIyJiEpoE/a2Aq2u3V1bHpnMg8I3a7U0lLZd0lqRnDEog6aDqnOXXXnttgyJFRMQomnTkasCxgTuvSNofWAw8unZ4oe1rJN0b+Laki2xfMSUz+2jgaIDFixdnV5eIiNtIk5r+SmCb2u2tgWv6T5L0BOBNwF62b+odt31N9ftK4AxgpzHKGxERY2gS9JcB20naVtLGwL7AlFE4knYCPkYJ+L+uHd9C0ibV31sCjwTqHcAREbEODW3esb1a0iuAU4D5wDG2L5F0BLDc9lLgXcBmwOclAfzc9l7AA4CPSbqF8gVzZN+on4iIWIc02zZGX7x4sTM5K2LuWbTk6zPef9WRT11HJekmSefaXjzsvKy9ExHRIQn6EREdkqAfEdEhCfoRER2SoB8R0SEJ+hERHZKgHxHRIQn6EREdkqAfEdEhCfoRER2SoB8R0SEJ+hERHZKgHxHRIQn6EREdkqAfEdEhCfoRER2SoB8R0SEJ+hERHZKgHxHRIQn6EREdkqAfEdEhCfoRER2SoB8R0SEJ+hERHZKgHxHRIQn6EREdkqAfEdEhCfoRER2SoB8R0SEJ+hERHZKgHxHRIQn6EREdkqAfEdEhjYK+pD0lXS5phaQlA+5/naRLJV0o6VuS7lW77wBJP6l+Dphk4SMiop2hQV/SfOAo4MnADsB+knboO+08YLHtBwNfAN5Zpb0LcCiwK7ALcKikLSZX/IiIaKNJTX8XYIXtK23/BTge2Lt+gu3Tbd9Q3TwL2Lr6+0nAabZX2b4OOA3YczJFj4iItpoE/a2Aq2u3V1bHpnMg8I0R00ZExG1oowbnaMAxDzxR2h9YDDy6TVpJBwEHASxcuLBBkSIiYhRNavorgW1qt7cGruk/SdITgDcBe9m+qU1a20fbXmx78YIFC5qWPSIiWmoS9JcB20naVtLGwL7A0voJknYCPkYJ+L+u3XUKsIekLaoO3D2qYxERsR4Mbd6xvVrSKyjBej5wjO1LJB0BLLe9FHgXsBnweUkAP7e9l+1Vkt5M+eIAOML2qtvkP4mIiKGatOlj+2Tg5L5jh9T+fsIMaY8Bjhm1gBERMTmZkRsR0SEJ+hERHZKgHxHRIQn6EREdkqAfEdEhCfoRER2SoB8R0SEJ+hERHZKgHxHRIQn6EREdkqAfEdEhCfoRER2SoB8R0SEJ+hERHZKgHxHRIQn6EREdkqAfEdEhCfoRER2SoB8R0SEJ+hERHZKgHxHRIQn6EREdkqAfEdEhCfoRER2SoB8R0SEJ+hERHZKgHxHRIQn6EREdkqAfEdEhCfoRER2SoB8R0SEJ+hERHZKgHxHRIY2CvqQ9JV0uaYWkJQPu313SjyStlvScvvtulnR+9bN0UgWPiIj2Nhp2gqT5wFHAE4GVwDJJS21fWjvt58ALgdcPyOJG2ztOoKwRETGmoUEf2AVYYftKAEnHA3sDtwZ921dV991yG5QxIiImpEnzzlbA1bXbK6tjTW0qabmksyQ9o1XpIiJioprU9DXgmFs8xkLb10i6N/BtSRfZvmLKA0gHAQcBLFy4sEXWERHRRpOa/kpgm9rtrYFrmj6A7Wuq31cCZwA7DTjnaNuLbS9esGBB06wjIqKlJkF/GbCdpG0lbQzsCzQahSNpC0mbVH9vCTySWl9ARESsW0ODvu3VwCuAU4AfAyfavkTSEZL2ApC0s6SVwHOBj0m6pEr+AGC5pAuA04Ej+0b9RETEOtSkTR/bJwMn9x07pPb3MkqzT3+6M4G/G7OMERExIZmRGxHRIQn6EREdkqAfEdEhCfoRER2SoB8R0SEJ+hERHZKgHxHRIQn6EREdkqAfEdEhCfoRER2SoB8R0SEJ+hERHZKgHxHRIQn6EREdkqAfEdEhCfoRER2SoB8R0SEJ+hERHdJou8SYjEVLvj7j/Vcd+dR1VJKI6KrU9CMiOiRBPyKiQxL0IyI6JEE/IqJDEvQjIjokQT8iokMS9CMiOqQT4/SHjY+HjJFf1zJnIWL9SE0/IqJDEvQjIjqkE807sWFKE1FEe6npR0R0SIJ+RESHJOhHRHRIozZ9SXsCHwDmA/9l+8i++3cH3g88GNjX9hdq9x0A/Ht18y22j51EwSMibgsb+hDvoTV9SfOBo4AnAzsA+0naoe+0nwMvBD7bl/YuwKHArsAuwKGSthi/2BERMYomzTu7ACtsX2n7L8DxwN71E2xfZftC4Ja+tE8CTrO9yvZ1wGnAnhMod0REjKBJ0N8KuLp2e2V1rIlx0kZExIQ1CfoacMwN82+UVtJBkpZLWn7ttdc2zDoiItpqEvRXAtvUbm8NXNMw/0ZpbR9te7HtxQsWLGiYdUREtNUk6C8DtpO0raSNgX2BpQ3zPwXYQ9IWVQfuHtWxiIhYD4YGfdurgVdQgvWPgRNtXyLpCEl7AUjaWdJK4LnAxyRdUqVdBbyZ8sWxDDiiOhYREetBo3H6tk8GTu47dkjt72WUpptBaY8BjhmjjBERMSFZcC1iDFn0LeaaLMMQEdEhCfoRER2SoB8R0SEJ+hERHZKgHxHRIXNi9M5sGCExG8oQMZ28P6Op1PQjIjokQT8iokMS9CMiOiRBPyKiQxL0IyI6JEE/IqJD5sSQzYgNWYZbxrqUoB8RG4xhX6CQL9E070REdEhq+hEREzabm+xS04+I6JDU9OeY2VyDiBhX3t+3vQT9iIhZ6Lb6AkzzTkREhyToR0R0SIJ+RESHpE0/OisTeaKLUtOPiOiQBP2IiA5J0I+I6JAE/YiIDknQj4jokAT9iIgOSdCPiOiQBP2IiA5J0I+I6JAE/YiIDmkU9CXtKelySSskLRlw/yaSTqjuP1vSour4Ikk3Sjq/+vnPyRY/IiLaGLr2jqT5wFHAE4GVwDJJS21fWjvtQOA62/eVtC/wDmCf6r4rbO844XJHxARlHaLuaLLg2i7ACttXAkg6HtgbqAf9vYHDqr+/AHxYkiZYzpiQfLgjuq1J885WwNW12yurYwPPsb0auB64a3XftpLOk/QdSX8/ZnkjImIMTWr6g2rsbnjOL4GFtn8r6WHAlyU90PbvpySWDgIOAli4cGGDIkVExCia1PRXAtvUbm8NXDPdOZI2AjYHVtm+yfZvAWyfC1wBbN//ALaPtr3Y9uIFCxa0/y8iIqKRJkF/GbCdpG0lbQzsCyztO2cpcED193OAb9u2pAVVRzCS7g1sB1w5maJHRERbQ5t3bK+W9ArgFGA+cIztSyQdASy3vRT4BPBpSSuAVZQvBoDdgSMkrQZuBl5qe9Vt8Y9ERMRwjbZLtH0ycHLfsUNqf/8ZeO6AdCcBJ41ZxoiImJDMyI2I6JAE/YiIDknQj4jokAT9iIgOSdCPiOiQBP2IiA5J0I+I6JAE/YiIDknQj4jokAT9iIgOSdCPiOiQBP2IiA5J0I+I6JAE/YiIDknQj4jokAT9iIgOSdCPiOiQBP2IiA5J0I+I6JAE/YiIDknQj4jokAT9iIgOSdCPiOiQBP2IiA5J0I+I6JAE/YiIDknQj4jokAT9iIgOSdCPiOiQBP2IiA5J0I+I6JAE/YiIDknQj4jokEZBX9Keki6XtELSkgH3byLphOr+syUtqt13cHX8cklPmlzRIyKirY2GnSBpPnAU8ERgJbBM0lLbl9ZOOxC4zvZ9Je0LvAPYR9IOwL7AA4F7At+UtL3tmyf9j8S6s2jJ12e8/6ojn7qOShIRbTWp6e8CrLB9pe2/AMcDe/edszdwbPX3F4DHS1J1/HjbN9n+KbCiyi8iItaDJkF/K+Dq2u2V1bGB59heDVwP3LVh2oiIWEdke+YTpOcCT7L9T9XtfwR2sf3K2jmXVOesrG5fQanRHwH80PZnquOfAE62fVLfYxwEHFTdvB9w+ZBybwn8ptF/eNvlMRvKMFvymA1lmEQes6EMsyWP2VCG2ZLHbChDkzzuZXvBsEyGtulTaufb1G5vDVwzzTkrJW0EbA6sapgW20cDRzcoCwCSltte3PT82yKP2VCG2ZLHbCjDJPKYDWWYLXnMhjLMljxmQxkmlQc0a95ZBmwnaVtJG1M6Zpf2nbMUOKD6+znAt10uIZYC+1aje7YFtgPOGbfQERExmqE1fdurJb0COAWYDxxj+xJJRwDLbS8FPgF8WtIKSg1/3yrtJZJOBC4FVgMvz8idiIj1p0nzDrZPBk7uO3ZI7e8/A8+dJu1bgbeOUcZBGjcF3YZ5zIYyzJY8ZkMZJpHHbCjDbMljNpRhtuQxG8owqTyGd+RGRMSGI8swRER0SIJ+RESHJOhHREyYpC0kvU/SOdV6ZO+RtMX6LhekTX+9kLQbsIhaR7rtTzVMu43tq/uO/a3tX41Qji0ow2g3rZXju23zGYekB7P2c/HFlnncHlhoe9ikvt75HwKmfePbflWbxx+XpJOAY4Bv2L5lXT72pElaDnwS+Kzt62ZBeeYBm9n+/Tp+3FOAs4DPVIf+AXik7T0app8PnGL7CZMuW6PRO7OBpGdRFnK7G6Dqx7bv3DD9I4HDgHtR/u9e+nu3KMPdgbcB97T95GpBuUfY/kSLPD4N3Ac4H+gNXzXQKOgDP5X0eeBA2zdUx04GHtq0DFU5/gl4NWXC3PnAw4EfAo9rmH4Sz8UxwIOBS4BesDPQOOhLejrwbmBjYFtJOwJH2N5rhmTLm+bfsAzbA29gzXsLANuNnkvgo8CLgA9Wr+1/276sxeOfaPt5ki5i6pdZ7z3+4CHpXzfT/bbf27QslOHaL6IszNj7AjjVLWqXkjanfFb/vjr0Hcpren3D9J8FXkr5fJ0LbC7pvbbf1aIMTwPezNrxolG8Aba0fWjt9uGSzm36+LZvlnSDpM2b/t9NzZmafjUH4Om2fzxi+suA11LeBLfOFbD92xZ5fIPyJn6T7YdUs4/Ps/13LfL4MbBDmw9BX/rzgI9TVjZ9nu0rJJ1ne6eW+VwE7AycZXtHSfcHDre9T8P0k3guLrW9Q5tyD8jjXMoX1Rm950DShcMC3SRJugD4T9Z+bzX+kFf5bA7sB7yJsmbVx4HP2P7rkHT3sP1LSfcadL/tnw1Jf+hM99s+fMaCD85zHvA0yhfaLZQrmQ/YXtUg7UnAxaxZxPEfgYfYflbDxz6/ek8/H3gY8Ebg3DbviSrePAu4aJTPqqT3Amfa/kJ1+1nAQ23/e4s8TqRUxk4D/tQ7Pu6V6Jyp6QP/N2rAr1xv+xtjlmFL2ydKOhhunbjWdrLZxcDfAr8csQy2/ZEq0HxV0huZoaliBn+2/WdJSNrE9mWS7tci/SSeix9K2qFvme62Vtu+vizq2o6kBZSAsANTm7ia1tDrZfho6wJMLctdgf0pAe484DjgUZSZ7o+ZKa3t3ntph/73uKSXUr6QZkrfOqjPpGqyexHwFOAk1vwv3wZ2bJDFfWw/u3b7cEnntyjC7STdDngG8GHbf5XU9jNyNXDxqJUzyv//Gkm9L+zbAddLejnlM3yXBnl8vfqZqFkf9KtvSIDlkk4Avgzc1Lu/Rfvv6ZLeRWk6qKf/UYvi/Kn6cLoq28MpK4q2sSVwqaRz+soxU3NEnarzfyDp8cAJwP1blgHKOkl/Q3k+T5N0HQPWRZrBJJ6LYymB/1eU56JRc0SfiyX9AzBf0nbAq4AzG6Y9jvL8PZXSHHAAcG3TB5bU++B+VdLLgC8x9TUdWqut8vki5TX8NOVqthfET6iaSJr6D0k32f52le8bKV8YMwb9Wjk+yYAKhO0XNy1AdeX1O8os/SW2e8/H2VUTaxM3SnqU7e9XeT4SuLFpGSj/71XABcB3qyugtm36/wqcLOk7TH1NmzZ1bdny8dZi+9i2/VVNzPrmneqNOB03fUNKOn2a9I1rdZIeCnwIeBClxr4AeI7tC1vk8ehBx21/p2H6e9SCAlWzym7jdMBWZdoc+B+XPROapJnEc7ECeB1wEWva9Ic2R/TlcQdKc0ivg+wU4C3VLPFhac+1/bB6c5Ck79ge+BoNSP9TSpAcdJnRuL9I0uN6gXockrYEvkbpX9iT8kWy77DmoVr6eu16U+CZwDVNmxOqJp0ltt/WquBr57MjpUKwOeW5XQW80PYFDcvwHNsn1o4JmO+y7HvTMpwK/JG135uNr4qqfq5FTO3n6V+3bKb0t/ZX2W7aXzU839ke9GebKsjej/JmvLzpB6ovj7tT2tMBzrH96xZpDxl03PYRI5RjPnB3pr4pf94g3TxKW+M5jPFcSPr2CE0p0+V1R9t/Gn7mlDRn2X64ykiLD1KudL5g+z6TKFOLctyB8uW30PZB1RXL/Wx/bYS87gZ8k9K/8OIxmid6r/M3W1aMvmt791Efsy+vOwO45cibSZRB46/M+XFgMWXdsVsHKdh+QYs8BvVXXdSm32yQWd+80yPpncBbKJd5/wM8BHiNq7X6G6TfHDgU6L0ZGo8I6NXEak1NPdtLajXEUNLzgHcBZ1CC5YckvaHX4dNAPbBtSuksa93XIemVlOfj/5g6cmZo04rtWyS9x/YjKCNvRnWZykiLrzJak11v+Ot/AZsBCyU9BHiJ7Zc1SP6W6n3x/yhXLXemdPa3UrXTHmf7d9XtLYD9bH+kYRafpATp3arbK4HPU2rtTR7/D0xtltkYuDfwHEl28xEn/bYDFrZMc5qk11Oazeqdj006cPe3/Rn1jSbq9de0aFoZuQw135S0h+1TW6SpexRjDNioDOqvGruWPmdq+rUe+WdSOmheC5xu+yEN0488IkDS4bYPnaapqXETU5XXBcATe7X7qjPxm03/jwH5bQIstd1q0/mqaWVXtxi91Jf+cOBC4IujvrEn9HyeTVnOe2mtNnSx7QeNUqZR9N6bfccaj6jq1SrraSRdMOp7YlS1Lw9Vv38FHOy+TY+G5PHTAYcbNXVJeontj2ma0URNm1bGKUMtjz8Ad6RURv5KyyGbkv4bePs4bfEqm059C1gCPJvSX3U72y8dNU+YQzV9Su83lBEBn7O9Su1GbIw8IsBrxtse4bLX761U9gloY15fc85vGW9m9B0otbq2rqZ9x2vd6ygfipsl3Uj7cczYftEYj1/P5+q+98KMo4g0+clZ81RVqav851Nq2039peqw66W/D7UrnzY0xoQ723ca5TFrjz0P2N/2D0ZJb/tj1e+xRhPZbvuZHJTHWM8FpSP7bEm/YOoghTbzaV5J6a+6CfgscCpl7sBY5lLQ/6rKWPsbgZdVNeShnXU1444IgDL8rP9F+wJlLHBT/1O1IX+uur0P0HgoqaZOwJlP6UBt3Z4PXAmcIenrjDA6YQIfCiRtSplv8ECmBqnGNX3g6qqJxyqb/LyK4c1dvRExj6QM1zyhuv1cSjNLW6cAJ0r6T8pr81JKE2RTh1bnbyPpuKpcL2xbCI054a7KY5wvjVskvRt4RItiDyrDvYEPUMpvyv/wWttXNkw/dh+JpIF9Ak2fC8q8hBfT1xHc0t1sv4kS+Hvl2pmysdXI5kzzDtz6hvy9y2y1OwB3dsPlB8YcEXB/SmB6J2VkRM+dgTfYfmDL/+NZlDY/Ad+1/aUWaesTcFZT5i80HpVQy2esS+gqj71Y00dyRtuOR5XZp5dRpqgfATwf+LHtV7fIY0tKgHgC5YrpFODVTZqtVEZ07dHrgFYZ232q7ce2/D/mAS8BHk95TU8F/sstNgxSGf768Cr9WbZb76eq8SfcDfzSaNmRO4lmv7OAo1hTMdoXeKXtXRumP4Hy5f0C2w+qrqJ+2N8ENySPr9ZubkrZ8/vcps/FJAYpSPoRZQjvL6rbuwNHjduRO2eCvqSBvd5uuGZNLZ/WIwIk7U3pR9iLqVtF/gE43nbTceFIeoftNw47Nk3aecCF67K9eoayHEkJMMdVh/ajfCiWtMjjPNs7qRoyWQXdU8b9sLR4/MspS0esqm5vQQmYbSapjfP4M17qu90cEiQts71z1Wy5q+2bBvU3zJB+rC+NKo9eW/jNlCvp1s1+ks7uD/CqRlo1TD/xPhJJ2wDvtL1fw/M/TKkU9g9SaDNkc2fgI8DTKS0Mb6N8CVw9Y8Ih5lLzzs61vzel1Kp+RMM1ayS9mjJK4g/Ax6sP3JImvfO2vwJ8RdIjbP+wdcmneiJlFmjdkwccG1SOWyRdIGmhGwytHETS+22/pqrJDJqI03QM8FOAHV0tECbpWMpM0sZBn9JBBvA7SQ+idBwuapF+3KaAI4HztGYOx6Mpa740feyx1rwB3jPDfaZFs0xl3Al3487SHqvZT2smu50uaQlwPOV52Id2M1Mn1kdSs5IyJ6Wpzavf9c9Tb9/wRmwvk/QqypXjnykDQBpPHpzOnAn6tl9Zv60y1O7TLbJ4se0PSHoSZdG2F1EtBtUij2dKuoQRho1K+hfgZcC9JdUnMN0JaNPxdQ/gEpUZvfXhaE2Dde85e3eLx5zO31CayWDNm7yNo6va9X9QPgybAQPnIczgs5SmgGdWt/elNAsMbQqw/UmVNYR65y5p2lxY6TVDPa1Fmvrjt2pGapBf7zk4rPoi25wW/UWM/6XRmwj1fGBb22+uasj3sH1Og+TnMnWy20tq95nmnZhj95H0dfbPoywfMbQpuMf2P7Z5vL7H7q+Q3YEy6OITKkPEuzk5q2oKuND2Axqe32tC+ACl/flLarlQmcYYNlp9SW0BvJ2pteE/uNkY5vvSN5Gq8mjgF263uuV84Fjb+zdNMyCP/Sg15dMpH9LdKcP7jh81zxHLMW5TwFasvTpmq9nNku4I3FhdiW1PmQn7DQ9fKG3G4cJuv8T0p/uDzaBjDfNqPUu7StdbYO1xth9QfamfanvnIUknatw+EkkH1G6uBq5qMypJ0sD9bG0f1CDtjDPC3XD2/nTmTE2/79tvHmXUxYnTp1jLuSpTq7cFDpZ0J9r3qo88bNRlEtj1wH6aOhN2M0mbNWiueT/wb+5b5kDSnyg1m8ZBv+oIXyBp4zYf6L48PifpDEqzm4A3tqwl9+YYPJu1p6oPHY00iaYASe+ozu9f2rntkhbfBf6+CnDfoowO2odS453J02e4r9US05UpAwqq99nQkWUqo6heCtyXMtrkE2MEll1tP1RlNVhsX6cyqqqxUfvvBvSR9JYrWVg1iTbqI6metyeOUymivA96ektaNGqLHzeoDzNngj5TmyNWAz+zvbJJwuqS8xDK8MYrbd9Q1QTajhMfd9gokl5BaTduOxN2UX/AB7C9XNKiNmWoXAX8QNJSpjYTtVk7fUH1ez6wm1rOTga+QvkiPJf2ba6TaAp4BmUo37jtvareUwcCH7L9zl7Qm4knNE9BZaXTfwNuL6k3QEHAX4CBNc4+x1L6V75H6V/agTVNV239tQqavfb0BbSvXI3af9frI9mUsgTCBZTn4cHA2ZQRc0NNqFJ0Qv22yj4apzVJq7VnWN96Fy07xQeZM0G//u2nMkyv8UxS25b0ZdsPqx37bZs8qjRLqtphb9jon4C92+QBvIYSaNrOhN10hvtu3zIvKG2111Cumlp3vmkCG6AAW9ves+1jw2Qm4FDmKtyO8Tv5JOkRlJr9gdWxVp8tSU9l7fkKjeZf2H478HZJb7d9cJvHrezgahigyizQJu3v0/kgZbXRu0l6K2W2dOM15GH0/rteH4mk44GDbF9U3X4Q8Po2ZWAylaK6bSnNiEON0xnexKwP+ipL9h5J6TB8M+XF35IyC/IFtptOgjlL0s62W09s0IC1d/qaddoEulFnwi6T9M+2P95XtgMZYUKRq/H4VTOXbf+xZRYP95gboABnSvq73odzVNWHun9N/Cajum4Azpf0LaYOq2s7I/fVwMHAl2xfUo0oGrSq60Aqk7ruADyWso7Qcxgh8No+WKNNrrq178FlX4S2D10vw3EqC4X15iw8w+PtgwHlddquxfn3r7+nbF+sMk+njXErRdcxtTl6Fe1GttXzuhtTX8+RRu7dmt9s78hVWU/83yidSkcDT7Z9lsoY4s817YiVdCmwPfAzyjd347XbNdm1dz5BWZmy1UxYlZU5v0S5ZO8F+cWU6f7PHKE9/UGUL9Be2/hvKJNZGi2gVv0f7/EIG6BozRDHjSgf5isZcT19lUlmj6EE/ZMpzRPft/2cBmkPGHTc9rGDjt9WaoMMer83o0xuarSfai2fkSZXqWx+06vNinLleAMtmhOm6RdoPWmwymtQ/93n3WAuS5X+c5T/5zNVPvtT9sltNMa+L6/WlaKqOXkb4BfVoVs8QqBVmfz4HuCewK8pVwo/dsvJoGvlOweC/q2TSyT9uD5ap83oG424lVwt/VrrdI9C4y8m9VjWjBe+xCOuwy7pTMpWh6dXtx8DvM32bjMmXJN+d8rEk9YboEz3WvQ0fU2qvC6iDJ09z2XbxrtTZsPO1Ek6UVW79b+ydvNM09mbZ9veVWUm6rMozY4X225Tu53I5KpRqcyCrfcLXGX7NSPmVR+90qr/rkq/KfAvrJkt/l3go26wx0Itj3ErRefWm5NHobI44+MoCzLuVH3292syAmgms755h6mdQP1r5TT+xuoFkv5LpRbpb6nv8wVxAAAL0klEQVQ6YccK+k2D+wzpT6dF08EM7tgL+FW+Z6gMPWzqGMpKpa3XFukP6qO+JpXeUMnVKrOtf82QBeg0/qSqfr0duJ7GCDtwAV9TGR//LkqHpSnNPG2NPblqDBPrF+gfvSJpvqTn2z5uujR96f8MvK/6GdXRwOv6KkUfZ83y18OcI+mhbjmrus9fbf9W0jxJ82yfXvUpjmUuBP2HVCMSxNqjExoHiukulegb5jbEOGuFT2om7KRcKek/WNNBtj8waEna6fzcLaaUDzKh12R5FTA/Tmn2+iPDA06vzf5pDAj6LR675662PyHp1VXA+o7KNnuN2O6NNDpJ0teATd1gn4cBxp5cNYax+wWqL+2XA1tRJuudVt1+A6W5qlHQV1lM8TDWnn/RZjXakSpFkjaqmrUeBfyzpCuY2pzcZpXN31VNfd8DjpP0a8qVz1hmffPOpEziUknjrRX+MNvnasztEiel6vA7nNrCb8Bhtq9rmP4jlBm542yAMtHLV5Whq3f2kC0bNf2QOCj/yxWUpq9vTXNOf34j7cClCU/O6st7pMlVYzzeJPoFvgJcR1lK4/GUyYwbUxbQa7wxusqw6tdSKgG3LnrnFiPmJH2JctVVrxQttv2MIel+5DJPYeBrb/uKBo/9Gsos/R9TnsN5lJFhm1M26xlpD4xb8+9Q0O8twnQBsFPVJHCO7V3Wd9nmogl1ao/9mkg6wvYhtdvzgU/ZHjYxarr85lP6TI5zw4XtJD2NUhvbhjU7cB1m+6tD0t1CqcH2Alq9etz4uZxkJ+r6pNpWgNXr8BvK8sh/aJnPWrO0RyhLvVIEaypFvxuSrtUs/2nyeDelGen+lBVLz6R8CfywSavCMHOheWdSepdK32WMSyWVtdsXMfWycejwwAHtx1OM0I48kkk1M3kyE4sm8ZoslHSw7berzPD9PKWGNhKX5ZAvUFl7ZUaStra90muWlL6eMuwSlU2th3k2ZebugykT1T5ne8UIxZ7k5Kr1qd5EdLOkn7YN+JXTJb2LMpS6fhXa5n3xBPcN3ZX0XMr7ayYL1LfdY50bjPO3/frq8TamjNDbjbI2/8cl/c5jDpXe4Gv6WrNmzfmUjuDepdK9gK/bbjzGXWVW3X2qvHqXje5/c0yTdruqHP1Tse8FXDPih721cZuZNMFdp6o20vpr0vryVaXx+DhKDfexlDVvxunAa0xlaeYn2b6q7/iLgH8f1rxTO/+OlEl++wB3pTQtNW7u66shbwSc07LteFaYRBNRlc+ggQ52u30BftT/HA46NiDdL4GPMvWqrV6INvtVbE7ZkOaR1e+/AS4at8LVhZp+b82a3pvpFuBYSYspnT1thvYtZvTNjt9XlaN/5MqC6r51NcTwWhirD2H58FOGqy7fv2L7CVSvScv09Q/fB4CPUS6BvzOBURNNvZbSYfoU2z+pynUwZVOYGRfN6vNnylXC7ykbkbcdyTSxyVXrk+35E8pn5NVLJT2ZsrbWVpI+WLvrzjS7Cv2lG86knqEMR1MGM/yBsnzEmcB7m/a3DdOFoD/JNWsuBv6WNQs5ra9yjOPLVFs+SjrJU/cNHsoTmrhUXb7fIGnzEUeq9K9Ffx2lWeM9MNJa9K3ZPlnSTcA3JD0D+CfKOPndm3xAex3XlF2Zvgl8wPYoX6q9EW4wdZTbRNZqmYs0+rIW11AqNnsxdab7Hyhf8kMfukUxp7MQ2AT4CWWC10pgxr6ENrrQvLPC9n3b3td3Xq/9+06UdbXPYWpb4dB28EmUYxI0dTeh1p1Ok+oTqPI6kTJr9DSmDoFtuwzCeiXpUZQv0zOB57nhJKCqI/dC4PuU53LK8znXnofZQtMsa2H7wBkTTs3jdh6yNPY06e4yic7WqtnygZT2/N0ogwtWUTpzB07wbKoLNf1JrFmzlNIe/72+449mzVTrdVGOSfA0fzc1aBOWXj5tazlfZ80yyCPlIeltlG3sflfd3gL4f7ZbLfI1itrQT1FqZo8Hfl19YJvUsF/MaK9BzGw3r1nW4nBJ76H9MtW7SDqMNWP9e6/pjMOzJxHwq3wMXCzpd5Smv+sp80p2oSylPrIu1PTHXrNGZcLMoLXsFwOHusGU/0mUYxJqnWX1jjJo2BSgsl/w1raPqm6fQ1li2ZQ19YeNbphIHrW81rpaadLhFhsurb2sxSpKB2jjZS00gbH+o1LZInE3SgfuX6mGa1a/L3K1RemoNviavu3/o6z1Xl+z5utut2bN2O3xEyrH2CbQWfavlC0Je3rDyu5I2X6yScAelMfDKNslNs2jZ77KkgM3AajsjbpJi/TrjcpcBwPX227SXhzN9Ja1eCdrKlhtl7W43nabrSYnaRHwBcpez6P0H85ogw/6PR5vzZqJrWU/Zjlmg41t14edfr+q/fxWzdfuGZTHKmBVizx6PgN8qxZAX0zLkUDr0X9Xv29SWeDLwBVN+wRiKkk7A1e7WtaimgNyEXAZ7dfhmcRY/5HYnnac/yRs8M07k6CyVOu3p2mP38PrYBXD2WJIh/QVTcamTyKPvjRPZs367afaPqVN+vVFZZ/nt1K+qH5Gma+wNeVq502jdCR2maQfUSZVrVJZBfZ44JWUwRcPcIPltmt5jT3Wf7ZK0G9gtrTHzwaSjqNsLN//BfgS4DFusGb5JPLYEEh6H6VJ63WuZp6qLDr2bsrqoXNxVu16I+kC2w+p/j4KuNb2YdXtW5do77oE/RY0obXs5zKVZZC/TLnk7V3qPozSjv6Mqu/iNs+jlld98bSNKdsf/mkujE2X9BNg+/7JftXEtcvadDwGSLoY2LGaoHYZZcvE7/buc8O1lGr5jbyF5WzWmTb9SdgA2uPHZvvXlA7px7FmCeRWHdKTyKOW15St7KpJUnNlET33B/zq4M2SUhtr73OUGdm/oSzv8T24dSmWVhMApxvrP9HSriep6ccGR9VSx+u7HMNI+jJlW8RP9R3fnzLJa13vsTDnqeypfQ9K386fqmPbU7ZLbNwJqwltYTkbpaYfc5qmrkk/j9LXMldqMi8HvijpxZS+IlOWcbg98Mz1WbC5yvZZA4797whZ9Xbpu0HSPSlj/bcdp2yzRYJ+zHX1iXGrgasoK1bOerZ/Aexaa+YSZZXQRpu3xG1qEmP9Z6U070REVGpj/X9V3X4BZdesyyibqExkmYX1KUE/5iRNcF3/iJ5JjvWfrdK8E3NVfQniwxlzEaqIyvxabX4f4GjbJ1E2rW+8T+9slqAfc5Jr6/pLeo0ntM5/dN58SRu57DH8eOCg2n0bRLzcIP6J6Ly0UcakTGys/2yVNv2Y87KUckzSpMb6z1YJ+jEn9S2/cAda7gsQ0VUJ+hERHTJvfRcgIiLWnQT9iIgOSdCPDZ6kN0m6RNKFks6XtOsE836hpA9PKr+I21qGbMYGTdIjgKcBD7V9k6QtKevur3e18eAR60xq+rGhuwfwm97G6bZ/Y/saSVdJeoekc6qf+wJIWiDpJEnLqp9HVsd3kXSmpPOq3/frfyBJT5X0Q0lbzpDPYZKOlnQq8Kn+PCJuawn6saE7FdhG0v9K+oikR9fu+73tXYAPA++vjn0AeJ/tnYFns2ZlxcuA3W3vBBwCvK3+IJKeCSwBnmL7NzPkA2WXsL1t/8Mk/9GIJtK8Exs023+U9DDg7ym7IJ0gaUl19+dqv99X/f0EYAdJvSzuLOlOwObAsZK2o8wPuF3tYR5LWcd/D9u/H5IPwFLbNxKxHiToxwbP9s3AGcAZki4CDujdVT+t+j0PeER/UK5W9Tzd9jMlLary67kSuDewPWsWgpsuH4A/jfUPRYwhzTuxQZN0v6p23rMj8LPq731qv39Y/X0q8Ipa+h2rPzcHflH9/cK+h/kZ8CzgU5J6e/5Ol0/EepWgHxu6zSjNMpdKuhDYATisum8TSWcDrwZeWx17FbC4Gt55KfDS6vg7gbdL+gEwv/9BbF8OPB/4vKT7zJBPxHqVZRiikyRdBSyuOl0jOiM1/YiIDklNPyKiQ1LTj4jokAT9iIgOSdCPiOiQBP2IiA5J0I+I6JAE/YiIDvn/Kr9X3moL/AQAAAAASUVORK5CYII=\n",
"text/plain": [
"<Figure size 432x288 with 1 Axes>"
]
},
"metadata": {
"needs_background": "light"
},
"output_type": "display_data"
}
],
"source": [
"debates.groupby('Speaker')['polarity'].mean().plot.bar()"
]
},
{
"cell_type": "code",
"execution_count": 535,
"metadata": {
"scrolled": true
},
"outputs": [
{
"data": {
"text/plain": [
"<matplotlib.axes._subplots.AxesSubplot at 0x1a2ae6a9e8>"
]
},
"execution_count": 535,
"metadata": {},
"output_type": "execute_result"
},
{
"data": {
"image/png": "iVBORw0KGgoAAAANSUhEUgAAAXcAAAEyCAYAAAABVZAhAAAABHNCSVQICAgIfAhkiAAAAAlwSFlzAAALEgAACxIB0t1+/AAAADl0RVh0U29mdHdhcmUAbWF0cGxvdGxpYiB2ZXJzaW9uIDMuMC4yLCBodHRwOi8vbWF0cGxvdGxpYi5vcmcvOIA7rQAAIABJREFUeJzt3Xm8JFV9/vHPM4OIgqKR0RgWQUXNaBRlAEHjgqjgAqKooMQ9SBRFTYxDTBAwccGFuKARogYVWRSXUTHgAqIiyyD79nNEDCMaQRaNKIo8vz9ONbduT9/bVd09Mz3F83697uverq46fW4v3z71PUvJNhER0S0L1nYFIiJi8hLcIyI6KME9IqKDEtwjIjoowT0iooMS3CMiOqhRcJe0q6QrJa2QtHTA/S+TdJ2kC6qfV02+qhER0dR6w3aQtBA4EngqsBI4V9Iy25f17XqC7QNWQx0jIqKlJi337YEVtq+y/QfgeGCP1VutiIgYR5PgvilwTe32ympbv+dJukjS5yVtPpHaRUTESIamZQAN2Na/ZsFXgONs3yppf+AYYOdVCpL2A/YD2HDDDbd92MMe1rK6ERF3buedd971thcN269JcF8J1FvimwHX1new/avazaOBdw8qyPZRwFEAS5Ys8fLlyxs8fERE9Ej6aZP9mqRlzgW2lrSVpPWBvYFlfQ92/9rN3YHLm1Y0IiImb2jL3fZtkg4ATgEWAp+wfamkw4DltpcBr5e0O3AbcAPwstVY54iIGEJra8nfpGUiItqTdJ7tJcP2ywzViIgOSnCPiOigBPeIiA5KcI+I6KAE94iIDmoyiSki4g5bLv3avPdf/a5nrqGaxHzSco+I6KAE94iIDkpwj4jooAT3iIgOSnCPiOigBPeIiA5KcI+I6KAE94iIDkpwj4jooAT3iIgOSnCPiOigBPeIiA5KcI+I6KAE94iIDkpwj4jooAT3iIgOSnCPiOigBPeIiA5KcI+I6KAE94iIDkpwj4jooAT3iIgOSnCPiOigBPeIiA5KcI+I6KAE94iIDkpwj4jooAT3iIgOSnCPiOigRsFd0q6SrpS0QtLSefbbS5IlLZlcFSMioq2hwV3SQuBIYDdgMbCPpMUD9rsH8Hrg7ElXMiIi2mnSct8eWGH7Ktt/AI4H9hiw39uBw4HfT7B+ERExgibBfVPgmtrtldW2O0h6NLC57a9OsG4RETGiJsFdA7b5jjulBcARwN8PLUjaT9JyScuvu+665rWMiIhWmgT3lcDmtdubAdfWbt8DeARwuqSrgccCywZ1qto+yvYS20sWLVo0eq0jImJeTYL7ucDWkraStD6wN7Csd6ftm21vYntL21sCZwG7216+WmocERFDDQ3utm8DDgBOAS4HTrR9qaTDJO2+uisYERHtrddkJ9snAyf3bTt4jn2fNH61RrPl0q/Ne//V73rmGqpJN+T5jFh3ZYZqREQHJbhHRHRQgntERAc1yrlHrC3D8v6Q3H/EIGm5R0R0UIJ7REQHJbhHRHRQgntERAcluEdEdFBGy0TEOiezp4dLyz0iooPScp+wjMuOiGmQlntERAel5R6dl/xsrC7T/N5Kyz0iooMS3CMiOihpmYgGpvn0O2KQtNwjIjoowT0iooMS3CMiOijBPSKig9Kh2icdZxHRBWm5R0R0UIJ7REQHJbhHRHTQ1OTcs5pixJ1DPutrxtQE95iRN39EjCvBvaMy6idifl3/jCTnHhHRQQnuEREdlOAeEdFBCe4RER2U4B4R0UEJ7hERHdQouEvaVdKVklZIWjrg/v0lXSzpAknfk7R48lWNiIimhgZ3SQuBI4HdgMXAPgOC92dt/5XtbYDDgfdPvKYREdFYk5b79sAK21fZ/gNwPLBHfQfbv67d3BDw5KoYERFtNZmhuilwTe32SmCH/p0kvRZ4E7A+sPNEahcRESNpEtw1YNsqLXPbRwJHSnoR8M/AS1cpSNoP2A9giy22aFfTiDu5rDkUbTQJ7iuBzWu3NwOunWf/44GPDrrD9lHAUQBLlixJ6qbjEowi1p4mwf1cYGtJWwE/A/YGXlTfQdLWtn9U3Xwm8CMiYup0fbGsmDE0uNu+TdIBwCnAQuATti+VdBiw3PYy4ABJuwB/BG5kQEomIiLWnEZL/to+GTi5b9vBtb8PnHC9IiI6b3WmLjNDNSKigxLcIyI6KME9IqKDEtwjIjoo11CNWAMy5j/WtLTcIyI6KME9IqKDEtwjIjoowT0iooMS3CMiOijBPSKigxLcIyI6KME9IqKDEtwjIjoowT0iooMS3CMiOijBPSKigxLcIyI6KME9IqKDEtwjIjoowT0iooMS3CMiOijBPSKigxLcIyI6KME9IqKDEtwjIjoowT0iooMS3CMiOijBPSKigxLcIyI6KME9IqKDEtwjIjoowT0iooMS3CMiOqhRcJe0q6QrJa2QtHTA/W+SdJmkiyR9S9IDJl/ViIhoamhwl7QQOBLYDVgM7CNpcd9u5wNLbD8S+Dxw+KQrGhERzTVpuW8PrLB9le0/AMcDe9R3sH2a7Vuqm2cBm022mhER0UaT4L4pcE3t9spq21xeCXx9nEpFRMR41muwjwZs88AdpX2BJcAT57h/P2A/gC222KJhFSMioq0mLfeVwOa125sB1/bvJGkX4K3A7rZvHVSQ7aNsL7G9ZNGiRaPUNyIiGmgS3M8Ftpa0laT1gb2BZfUdJD0a+BglsP9y8tWMiIg2hgZ327cBBwCnAJcDJ9q+VNJhknavdnsPsBHwOUkXSFo2R3EREbEGNMm5Y/tk4OS+bQfX/t5lwvWKiIgxZIZqREQHJbhHRHRQgntERAcluEdEdFCCe0REByW4R0R0UIJ7REQHJbhHRHRQgntERAcluEdEdFCCe0REByW4R0R0UIJ7REQHJbhHRHRQgntERAcluEdEdFCCe0REByW4R0R0UIJ7REQHJbhHRHRQgntERAcluEdEdFCCe0REByW4R0R0UIJ7REQHJbhHRHRQgntERAcluEdEdFCCe0REByW4R0R0UIJ7REQHJbhHRHRQgntERAcluEdEdFCCe0REBzUK7pJ2lXSlpBWSlg64/wmSfijpNkl7Tb6aERHRxtDgLmkhcCSwG7AY2EfS4r7d/gd4GfDZSVcwIiLaW6/BPtsDK2xfBSDpeGAP4LLeDravru67fTXUMSIiWmqSltkUuKZ2e2W1LSIiplST4K4B2zzKg0naT9JyScuvu+66UYqIiIgGmgT3lcDmtdubAdeO8mC2j7K9xPaSRYsWjVJEREQ00CS4nwtsLWkrSesDewPLVm+1IiJiHEODu+3bgAOAU4DLgRNtXyrpMEm7A0jaTtJK4PnAxyRdujorHRER82syWgbbJwMn9207uPb3uZR0TURETIHMUI2I6KAE94iIDkpwj4jooAT3iIgOSnCPiOigBPeIiA5KcI+I6KAE94iIDkpwj4jooAT3iIgOSnCPiOigBPeIiA5KcI+I6KAE94iIDkpwj4jooAT3iIgOSnCPiOigBPeIiA5KcI+I6KAE94iIDkpwj4jooAT3iIgOSnCPiOigBPeIiA5KcI+I6KAE94iIDkpwj4jooAT3iIgOSnCPiOigBPeIiA5KcI+I6KAE94iIDkpwj4jooAT3iIgOahTcJe0q6UpJKyQtHXD/XSWdUN1/tqQtJ13RiIhobmhwl7QQOBLYDVgM7CNpcd9urwRutP1g4Ajg3ZOuaERENNek5b49sML2Vbb/ABwP7NG3zx7AMdXfnweeIkmTq2ZERLTRJLhvClxTu72y2jZwH9u3ATcD95lEBSMioj3Znn8H6fnA022/qrr9N8D2tl9X2+fSap+V1e0fV/v8qq+s/YD9qpsPBa6c56E3Aa5v9+90toxpqMO0lDENdZiWMqahDtNSxjTUYU2V8QDbi4aWYnveH2BH4JTa7YOAg/r2OQXYsfp7vapiGlb2kMddPs7xXSpjGuowLWVMQx2mpYxpqMO0lDENdZimMmw3SsucC2wtaStJ6wN7A8v69lkGvLT6ey/g265qGRERa956w3awfZukAyit84XAJ2xfKukwyjfMMuDjwKclrQBuoHwBRETEWjI0uAPYPhk4uW/bwbW/fw88f7JV46iUMVV1mJYypqEO01LGNNRhWsqYhjpMUxnDO1QjImLdk+UHIiI6KME9IqKDEtwjIkYk6d6SjpB0TrWu1vsk3Xtt1wuSc19tJO0EbEmt09r2p1ocv7nta/q2/bntX7Ssx72BrYENavU4o00Z45L0SFZ9Lr7Qsoy7AVvYnm/iW/8xHwLmfIPbfn2bOoxL0knAJ4Cv2759TT72pElaDnwS+KztG6egPguAjWz/eg0/7inAWcBnqk0vAh5n+2kNj19ImUe0y6Tr1mi0zJoi6bmURcfuC6j6se17tijjccAhwAMo/1+vjAc2PP5+wDuAv7C9W7VI2o62P96iDp8GHgRcAPyp2mygcXAHfiLpc8Arbd9SbTsZeEyLerwKOBDYrKrLY4EfADs3PH4Sz8UngEcClwK9gGagcXCX9GzgvcD6wFaStgEOs737kEOXN32MhvV4CPBmZt5bANhu9HwCHwVeDnywem3/y/YVDR/7RNsvkHQxs7+weu/vRzYo403z3W/7/U3qUtmb8r+cWwv0p7aZ3yJpY8pn9a+rTd+hvK43Nzz+s8D+lM/YecDGkt5v+z0t6vAs4O2sGi+axpxNbL+tdvtQSec1fXzbf5J0i6SNm/7fTU1Vy70aJ/9s25ePUcYVwBspL3YvsOK+pRDmOf7rlDfqW20/StJ6wPm2/6pFHS4HFo8zkUvS+cDRlBU3X2D7x5LOt/3oFmVcDGwHnGV7G0kPAw61/cKGx0/iubjMdv8qoq1UH5adgdN7/7+ki5oEtEmSdCHwH6z63mr8Ya7K2RjYB3grZU2mo4HP2P7jPMfc3/bPJT1g0P22f9rgcd823/22Dx1WxoAyFwDPonxx3U45M/mA7RsaHHsScAkziw7+DfAo289t+NgXVO/rFwPbAm8BzmvzvqhiznOBi0f5vEp6P3Cm7c9Xt58LPMb2P7co40RKw+sbwG9728c9s5yqljvwv+ME9srNtr8+xvGb2D5R0kFwxySuPw07qM8lwJ8DPx+jHrb9kSqgfEXSW5gnxTCH39v+vSQk3dX2FZIe2uL4STwXP5C02PZlLY+ru832zaMuNCppEeWDv5jZ6ammLe56PT46UiVm6nIfYF9KIDsfOBZ4PGWG95PmOs527720uP/9LWl/ypfOvEYJ3vOp0m0vB54BnMTM//JtYJsGRTzI9vNqtw+VdEGLKtxF0l2A5wAftv1HSW0/I9cAl4zREHs58AZJvS/muwA3S3ot5TP8Zw3K+Fr1M1FTEdyrbzuA5ZJOAL4E3Nq7v2V+9jRJ76Gc9tfL+GHD439bfQBd1e2xlFUu29gEuEzSOX11GJZGqFN1zPclPQU4AXhYy3qslHQvyvP5DUk3Ate2OH4Sz8UxlAD/C8pz0TiNUHOJpBcBCyVtDbweOLPF8cdSnr9nUk7jXwpc1/RgSb0P6FckvQb4IrNf16Gt1KqcL1Bew09TzlB7AfuEKrXRxL9IutX2t6sy30L5Uhga3Gv1+CQDGgq2X9GijPOAmyiz05fa7j0fZ1ep0SZ+J+nxtr9Xlfk44HdN60D5n68GLgTOqM5q2ubc/xE4WdJ3mP2aNk1RbdLy8VZh+5hR+pSGmYq0TPVmm4tbvulOm6OMpnnmxwAfAh5BaYEvAvayfVGLOjxx0Hbb32lRxv1rH36qlMhOo3aGVnXaGPhvl3X5mxwziediBfAm4GJmcu6N0gi1Mu5OSWH0OqlOAf61mhnd5PjzbG9bT+VI+o7tga/TgON/QgmGg04d2vTn7NwLyqOStAnwVUruf1fKl8Xe86V0BpRRby1vAOwJXNs0DVClYpbafkfjig8uZxvKl//GlOf2BuBlti9sWIe9bJ9Y2yZgocuy403rcCrwf6z6/mx8llP1RW3J7H6Y/vW35jv+jj4l2236lOYvdxqC+7SpAulDKW+4K9t8cGpl3I+S7wY4x/YvWx5/8KDttg9rWc5C4H7MfuP9T4PjFlDygOcwxnMh6dsjpD/mKmtD278dvucqx51l+7EqIxs+SDl7+bztB02iXi3qcXfKF90WtverzkIeavurLcu5L/BNSu7/FeP07VTlLQC+2eZ1knSG7SeM87i1su4J4JYjXSZRB0nLbS8Z4/ijgSXAZdQGDNh+SYsyBvUpXdymb2uQqUjL9Eg6HPhXyqnZfwOPAt5g+zPzHji7jI2BtwG9F71RD3yvVVVLEfU8RFKr1JCkFwDvAU6nBMUPSXpzr9OloXoQ24DSadWqP0LS6yjPxf8ye6TK0JSI7dslvc/2jpSRLqO6QmVUw1cYMdWmMqz0P4GNgC0kPQp4te3XNCziX6v3xd9TzkTuSel0b6XKox5r+6bq9r2BfWx/pGERn6QE5J2q2yuBz1Fa4sMe+zfMTqWsDzwQ2EuS3WJE2QBbA1u0POYbkv6Bku6qdwI26Ujd1/Zn1Dd6p9en0iIlMnIdar4p6Wm2T21xTN3jGXPwBIP7lMZudU9Vy73W+70npZPkjcBpth/VooyReuAlHWr7bXOkiNqmhi4EntprrVcdet9s838MKPOuwDLbT29xzApgBzccKTTg+EOBi4AvjPrmndDzeTZlKelltZbNJbYfMUqdRtV7f/ZtazyCqddKrB8j6cJx3hejqH1RqPr9C8o1Gk5qUcZPBmxulKKS9GrbH9Mco3eapkTGqUOtjN8AG1IaHn+k5VBISf8FvHOcXLmkjwPfApYCz6P0Kd3F9v6jlglT1nKn9DRD6X0/zvYNaj9CYqQeeM+MVT3M9qw3jaStWtZhQV8a5leMPxv47pSWWhvX0L4DtO5NlDf+nyT9jvZjgLH98jEev17ONX3vhaGjdjT5SUwLVDWTq/IXUlrQTf2h6jjrHf8gamczTWnMiWm279H2MfsefwGwr+3vj3K87Y9Vv8cavWO77edyUBljPReUDuWzJf2M2QMGGs9HAV5H6VO6FfgscCpl7P1Ypi24f0VlnPrvgNdULd5GnWY14/bAn8SqE4U+TxlH29R/V/nd46rbLwRaDc/U7MkqCymdma3y7cBVwOmSvsYIIwEm8MZH0gaUsfoPZ3YwatxyB66pUjNWuWDM62mWouqNQHkcZRjkCdXt51PSI22dApwo6T8or83+lPRhU2+r9t9c0rFVvV7WpgIac2JarZyRvyCqlN17KVdpG5mkBwIfoPwPpvwfb7R9VcPjx+7DkDQwZ9/iy/ITwCvo65Bt6b6230oJ8L16bUe5UNLIpiotA3e86X7tMnPr7sA93WLK/ag98CoTfB4OHE4ZidBzT+DNth/e8v94LiUfJ+AM219seXx9ssptlDkAjUcBVGWMddpblbE7M/0Xp4/Q+fc54ArKtOzDgBcDl9s+sEUZm1CCwC6UM6BTgAObpptURlA9rdcZrDI2+lTbT275vywAXg08hfK6ngr8p+3GY/9VhpY+tjr+LNutrrepMSemVWUM/IJo2aE6iZTdWcCRzDSC9gZeZ3uHhsefQPmSfontR1RnRT/oT50NKeMrtZsbANtTJkI1HV039oABST+kDI39WXX7CcCR43aoTlVwlzSwh9kt1mSpldWqB17SHpQ8/+7Mvozgb4DjbTceVy3p3bbfMmzbPMcvAC5a0znlAfV4FyWQHFtt2ofyxl/aoozzbT9a1TDEKrCeMu4Hog1JV1KWTbihun1vSnBsM6FrnMef9xTdzedgIOlc29tVqcYdbN86qC9gSBmT+ILo5ar/RDkzHmWpkLP7A7mqkU0Nj594H4akzYHDbe/TcP8PUxqA/QMG2gyF3A74CPBsStbgHZRgf828Bw4xbWmZ7Wp/b0BpIf2QFmuySDqQMirhN8DR1Qdr6bDecNtfBr4saUfbP2hd89meSpkRWbfbgG1z1eV2SRdK2sINhi32k/Tvtt9QtUoGTVZpOn72GcA2rha5knQMZVZl4+BO6aQCuEnSIyidd1u2OH7s03fgXcD5mpkD8UTKmiZNH3/cdV3eN899pl1KZdyJaTD+zOWxUnaamRR2mqSlwPGU5+GFtJupOZE+jD4rKfM6mtq4+l3/TJlVrzM9J9vnSno95Uzw95TBGI0n2c1lqoK77dfVb6sMX/t0y2JeYfsDkp5OWYDs5VSLGjU8fk9JlzLCcExJfwe8BnigpPpEn3sAbTuf7g9cqjLLtT7Mq0lg7j1n7235mIPci5Lagpk3chtHVS3lf6G84TcCBo7hn8dnKafve1a396acyjc6fbf9SZV1cnr7L22T6qOkMKAMR22tbfpnSFm95+CQ6stqY1r25zCBLwiV3u0XA1vZfnvV4r2/7XMaHH4esyeFvbp2n2nemTiJPox6p/sCyrIJQydR9dj+mzaP1/fY/Y2vu1MGQHxcZfh1dycxVafwF9n+yxbH9E7/P0DJEX9R7YarjTwcs/oyujfwTma3bn/j5lPUH0zfpKPKE4GfueGKjNVIjmNs79tk/znK2IfS6j2N8kF8AmXI3PGjljliPcY6fa/235RVV3NsNdtX0obA76ozq4dQZod+3UMmdmnVuROzuN2Y/0/3B5RB21qU13rmcnVcb6GwnW3/ZfUFfqrt7YYcOlET6MN4ae3mbcDVbUYBSRp4vVPb+zU4dt4Z0m4xo32QqWq5932TLaCMcDhx7iMGOk9lSvFWwEGS7kG7XuyRh2O6TJS6GdhHs2eGbiRpo4Ypln8H/sl9U/wl/ZbSUmkU3KsO6UWS1m/zoe0r4zhJp1PSZQLe0rLF2xuf/zxWnZ49dOTPpE7fJb27OqZ/2eG2SzmcAfx1Fci+RRmN80JKC3Y+z57nvlbLH1M6/e9Qvc8ajeRSGbm0P/BgyuiOj48RQHaw/RiV1UuxfaPKSKbGRu1jG9CH0VumY4sqldmoD6N67p46TgOI8j7o6S3l0ChXPm7wHmaqgjuz0wi3AT+1vbLpwdWp4sGUYYNX2b6l+mZvM9Z67OGYkg6g5HRbzwwFtuwP7AC2l0vask09KIsqfV/SMmandtqs272o+r0Q2EktZ+sCX6Z84Z1H+3zopE7fn0MZIjduPlbVe+qVwIdsH94LbvPxBMb6q6zM+U/A3ST1BgkI+AMwsPU4wDGUPpDvUvqAFjOTcmrrj1Vw7OW7F9F+KOCofWy9PowNKFP/L6Q8F48EzqaMUhtqQg2gE+q3Va7l8I0mx2rVWcd33EXLzulBpiq417/JVIa/tZpZaduSvmR729q2X7Upx/bSqqXXG475W2CPNvUA3kAJJqPMDN1gnvvu1rKsa6ufBZS8fyuawIU2gM1s79r2sWEyk1QqV1HOyMYO7pJ2pLTUX1lta/UZkvRMVh3zP/QsxvY7gXdKeqftg9o8Zs1iV8PrVGZFNsmPz+WDlNUx7yvp3ygziBuvYQ6j97H1+jAkHQ/sZ/vi6vYjgH9oUwcm0wCq24qS/htqnE7pJqYiuKssJfsuSsfd2ykv8CaUGYEvsd1moshZkraz3WoCgAasLdOXjmkT0MaZGXqupL+1fXRf/V5Jy4k3rsazV6kp2/6/lnV5rMe80AZwpqS/6n0AR1V9cPvXY286iuoW4AJJ32L2cLW2M1QPBA4Cvmj70moUz6BVSAdSmfx0d+DJlLVy9qJlgLV9kEafgHRH34DL2vxtHrq/HseqLHjVG/P/HI9/LYZbKP9XUw+rv69sX6Iyz6WNcRtANzI7lXwD7UaT1cu6L7Nf09Yj5WaVNw0dqiprWf8TpWPnKGA322epjL89rmlnaFXWZcBDgJ9SvokbDVfTZNeW+ThlJcXWM0NVVpP8IuV0uxfMl1Cmue/ZJuddBcRPA73c9fWUCR+NFgKr/o/3eYQLbWhm2OB6lA/sVYy4nrvKZKwnUYL7yZSUwvds79Xw+JcO2m77mEHbV5daZ3/v90aUSUCNrrdZlTHyBCSVC630WqeinAneQos0wBx5+1aT62plDepj+5ybzwc5jvL/fKYqZ1/KdVQbjVHvK6t1A6hKA28O/KzadLtHCKgqEwXfB/wF8EtKy/9yt5w4uUq5UxLc75iEIeny+uiYNiNdqv3HuQzZKmtEj0KTmRn6ZGbG217qEdYBl3Qm5RJ5p1W3nwS8w/ZO8x44c/wTKJMzWl9oY67XoafJ61Er62LKkNTzXS73dz/KzND5Oionrsor/yOrplWazmY82/YOKjMzn0tJF15iu3FrVROYgDQOlVmh9bz91bbfMGJZ9dEio/SxbQD8HTMzqM8APuqG6/xXZYzbADqvngYehcpCgztTFhd8dPXZ36fJiJv5TEVahtkdMf3rwLT69ukFjf5TnIbH3l51ho4V3NsE8XnKOI0Wp/xz2LAX2KsyT1cZztfUJyirarZeN6M/eI/yetT0hh/epjLz+Jc0WERNE7iodJ/eFZ2exQhXdAK+qjK+/D2UjkNT0jNtjD0BaUwTy9v3jxaRtFDSi20fO9cxfcf/Hjii+hnVUcCb+hpARzOzLPMw50h6jFvMMh7gj7Z/JWmBpAW2T6v6/cYyLcH9UdUIALHqaIBWAWGuUxz6hpDNY5x1qic1M3RSrpL0L8x0Uu0LDFomdS7/4xbTqAeZwOsB5fKL96J86M6jXDmnSVDp5dSfxYDg3uLxe+5j++OSDqwC03dULs/WiO3e6J6TJH0V2MDtr3g/iRmq4xg7b199Qb8W2JQyse0b1e03U1JNjYK7yqKAh7Dq/IU2q6eO1ACStF6Vjno88LeSfszsNHCbVSFvqlJ03wWOlfRLypnMWKYiLTNJ457iaLx1qre1fZ4mcJm9Sag63g6ltoAZcIjtGxse/xHKDNVxLrQx0VNOleGg93SDS/1p7qFmUP6fH1PSVt+aY5/+8ka6opMmOImpr9yRJiCNY0J5+y8DN1KWkXgKZeLf+pTF4BpfIFtlyPIbKV/4dyze5haj1CR9kXIWVW8ALbH9nCHH/dBlnP/A1972jxs89hsoM9cvpzyHCygjsTamXBRmpOsw3FF+B4N7bzGhC4FHV6fz59jefm3XbV0zoc7lsV8PSYfZPrh2eyHwKdvDJg/NV+ZCSp/GsW64QJsyaE4bAAAJpklEQVSkZ1FaV5szc0WnQ2x/Zchxt1NapL3AVW/uNno+J9mRubapdgm56nW4nrJs729alrPKzOUR6lJvAMFMA+imIce16guco4z3UtI/D6OssHkmJdj/oEmmYJhpSctMUu8U5wxGPMVRWTt8S2af6g0ddjcgtzvLCDnekUwqPeTJXGhj7NeDMvPwINvvVJnx+jlKa2tkLsv0Xqiytsi8JG1me6Vnlju+mTKcEZWLGw/zPMpM1kdSJnUdZ3tFyypPcgLS2lZP7fxJ0k/aBvbKaZLeQxmmXD+zbPPe2MV9Q2IlPZ/yHpvPIvVdJrDODUbG2f6H6vHWp4yI24myNvzRkm7ymMOQO9Ny18yaLBdQOmV7pzgPAL5mu9EYcZUZZg+qyumd6rn/DTDHsVtXdeiffvwAytXl236gRzJuekgTvIJRlb+svx6tTzlVErvHUlqsT6as5zJOJ1orKksGP9321X3bXw7887C0TG3/DSkT4l4I3IeSEmqUqutr7a5Hueh6m7zu1JhEaqcqZ9CAA7vduvQ/7H8eB20bcNzPgY8y+yysXok2I+M2plz45HHV73sBF4/buOpSy723JkvvTXM7cIykJZROl6bD5pYw+gVvj6jq0D9SZFF135oauncdjJXjXz58l+GqU+4v296F6vVoeXz9A/YB4GOU09bvTGCEQhtvpHRePsP2j6q6HUS5AMm8iz/1+T2l1f9rygWp2wwWmNgEpLXN9sIJlTPyapuSdqOsH7WppA/W7ronzc4sf+4GM4uH1OEoysCC31CWTTgTeH/TPrFhuhTcJ7UmyyXAnzOzGNHaqMO4vkR1qUBJJ3n2NWWH8oQm91Sn3LdI2niEUSGw6jroN1LSEe+D1uugj8z2yZJuBb4u6TnAqyhjzZ/Q5IPY60SmXOXnm8AHbLf9Au2NKIPZo8omsg7JukojLudA6QxfTlmHvX5W/xvKl/nQh25RzblsAdwV+BFlItRKYN5cfxtdSsussP3gtvfV9unlp+9BWdP5HGbn8Ybmqcetw6Ro9pVpWnf8TCpnX5V1ImUW5TeYPbS07dT/tU7S4ylfnGcCL3DDyTJVh+pFwPcoz+es53RdfC6mgeZYzsH2K+c9cHYZd/GQJZvnOO7PJtHpWaUcH07Jt+9E6eS/gdKpOnAyZFNdarmPuybLMkq+/Lt925/IzPTi1V2HSfEcfzc16GIfvXLatli+xszyvCOVIekdlEuf3VTdvjfw97ZbLVQ1qtqQSlFaWk8Bfll9MJu0ml/BaK9DzG8nzyzncKik99FuDSiA7SUdwsxY+d5rOu/Q50kE9qocA5dIuomSsruZMi9je8oS3yPrUst9rDVZVCaVDFpHfQnwNjeY6j5uHSal1mFV76yChqfwKteT3cz2kdXtcyhL/5qypvuwkQQTKaNW1ipnH006vaLbtOpyDjdQOiLbLOcw9lj5UalcWm8nSkfqH6mGQVa/L3Z1ectRdablbvt/KeuN19dk+Zqbr8kydr58AnWYiAl0WP0j5VJ2Pb2hWhtSLlnYJDAPKmNbymX2mpbRs1Blqv2tACrXzbxri+PXKpX5AgZutt0knxvN9JZzOJyZxlTb5Rxutt32MoWTsiXwecr1gEfp45tXZ4J7j0dfk2Vi66iPUYdpsb5nX3n9e1VL5ldqvjbNoDJuAG5oUUbPZ4Bv1YLkK2g58mYt+6/q960qC1UZ+HHTnH3MJmk74BpXyzlU8yguBq6g/TozkxgrPxLbc46Tn4TOpGXGpbJ86LfnyJc/zWto1b1pMKRj+MdNxnVPooy+Y3ZjZu3wU22f0ub4tUnlWsD/RvlS+illzP9mlDOYt47SoXdnJumHlMlHN6isXHo88DrKQIi/dMOloKuyxh4rP60S3CvTki+fBipXkj99wBfdq4EnucF62ZMooyskHUFJR73J1UxMlcWz3ktZ8XJdnWm6Vki60NUF6yUdCVxn+5Dq9h3Lh9/ZJbj30QTWUV/XqSzP+yXKaWrv9HRbSp77OVXfwmovo1ZWfQGw9SmXzPvtujK2W9KPgIf0T4yrJnld0aYDMEDSJcA21WSuKyiX2jujd58brhVUK2/UsfJTrXM593F1IF8+Ntu/pHQM78zM0rytOoYnUUatrFmXP6smEq1LC8G5P7BXG/8kKa2r9o6jzFK+nrK0xXfhjiVIWk2Wm2us/ERru5ak5R7rJFXL767tejQh6UuUy+l9qm/7vpTJUGt6nf91nsp1l+9P6X/5bbXtIZTL7DXuDNUELn04rdJyj6mn2euhL6D0haxLrZLXAl+Q9ApKf44pyxfcDdhzbVZsXWX7rAHb/t8IRfWu/HaLpL+gjJXfapy6TYsE91gX1CeQ3QZcTVldcZ1g+2fADrUUlSgrWza6SEisVpMYKz+VkpaJiDud2lj5X1S3X0K5CtMVlIt1TGR5gbUpwT2mlia4rnxE3STHyk+rpGVimtWXxT2UMRdSiqhZWGudvxA4yvZJlIuXN76O6zRLcI+p5dq68pLe4AmtMx9BWa9oPZfr0D4FqF+wvRNxsRP/RNwpJH8YkzSxsfLTKjn3WCdkid+YtEmNlZ9WCe4xtfqWHbg7Ldelj7gzS3CPiOigBWu7AhERMXkJ7hERHZTgHp0h6a2SLpV0kaQLJO0wwbJfJunDkyovYnXLUMjoBEk7Uq4a/xjbt0rahLL2+1pXG08dscak5R5dcX/g+t5FtG1fb/taSVdLerekc6qfBwNIWiTpJEnnVj+Pq7ZvL+lMSedXvx/a/0CSninpB5I2maecQyQdJelU4FP9ZUSsbgnu0RWnAptL+n+SPiLpibX7fm17e+DDwL9X2z4AHGF7O+B5zKwEeAXwBNuPBg4G3lF/EEl7AkuBZ9i+fp5yoFx5ag/bL5rkPxrRRNIy0Qm2/0/StsBfU66qc4KkpdXdx9V+H1H9vQuwWFKviHtKugewMXCMpK0pY+zvUnuYJ1PWkn+a7V8PKQdgme3fEbEWJLhHZ9j+E3A6cLqki4GX9u6q71b9XgDs2B98q5UoT7O9p6Qtq/J6rgIeCDyEmUXN5ioH4Ldj/UMRY0haJjpB0kOr1nbPNsBPq79fWPv9g+rvU4EDasdvU/25MfCz6u+X9T3MT4HnAp+S1Lsu7FzlRKxVCe7RFRtR0imXSboIWAwcUt13V0lnAwcCb6y2vR5YUg2bvAzYv9p+OPBOSd8HFvY/iO0rgRcDn5P0oHnKiVirsvxAdJqkq4ElVednxJ1GWu4RER2UlntERAel5R4R0UEJ7hERHZTgHhHRQQnuEREdlOAeEdFBCe4RER30/wGwihf7Iv56UQAAAABJRU5ErkJggg==\n",
"text/plain": [
"<Figure size 432x288 with 1 Axes>"
]
},
"metadata": {
"needs_background": "light"
},
"output_type": "display_data"
}
],
"source": [
"debates.groupby('Speaker')['subjectivity'].mean().plot.bar()"
]
},
{
"cell_type": "markdown",
"metadata": {},
"source": [
"### Over time"
]
},
{
"cell_type": "code",
"execution_count": 536,
"metadata": {},
"outputs": [
{
"data": {
"text/plain": [
"<matplotlib.axes._subplots.AxesSubplot at 0x1a21ff6240>"
]
},
"execution_count": 536,
"metadata": {},
"output_type": "execute_result"
},
{
"data": {
"image/png": "iVBORw0KGgoAAAANSUhEUgAAAXcAAAE6CAYAAADtBhJMAAAABHNCSVQICAgIfAhkiAAAAAlwSFlzAAALEgAACxIB0t1+/AAAADl0RVh0U29mdHdhcmUAbWF0cGxvdGxpYiB2ZXJzaW9uIDMuMC4yLCBodHRwOi8vbWF0cGxvdGxpYi5vcmcvOIA7rQAAG31JREFUeJzt3XvUJHdd5/H3JxMSCQkRktnI5sJwScC4osAY9MguiAGCl4TVoODKEm/xQoK70YV4dKMEVwOeFV0MCIvxuhADrDCLA/HCxRU2MJMQAmESEhNI5kQkQARUECb57h9VT9K0z6Wep/uZ7v4979c5daa6qj5Vv+mu/nY91VW/TlUhSWrLIbNugCRp+izuktQgi7skNcjiLkkNsrhLUoMs7pLUIIu7JDXI4i5JDbK4S1KDDp3Vho899tjasWPHrDYvSQvp6quv/lRVbV9ruZkV9x07drB3795ZbV6SFlKSjw9ZztMyktQgi7skNcjiLkkNsrhLUoMs7pLUIIu7JDXI4i5JDbK4S1KDLO6S1KCZ3aEqaTp2XPinq87/2CXfeZBaonnikbskNcjiLkkNsrhLUoMs7pLUIIu7JDXI4i5JDbK4S1KDLO6S1CCLuyQ1yDtUJWkC83qHsEfuktQgi7skNcjiLkkNsrhLUoMs7pLUIK+WkbTQ5vVqlVnzyF2SGjSouCc5I8mNSW5OcuEqy52dpJLsnF4TJUnrtWZxT7INuBR4BnAq8Jwkpy6z3FHAC4D3TbuRkqT1GXLO/TTg5qq6BSDJ5cBZwEfGlnsJ8DLgZ6faQknaRK2esx9yWuZ44PaRx/v7afdK8ljgxKp662orSnJukr1J9t55553rbqwkaZghxT3LTKt7ZyaHAC8HfmatFVXVa6pqZ1Xt3L59+/BWSpLWZUhx3w+cOPL4BOCOkcdHAf8GeFeSjwHfDOzyS1VJmp0hxX0PcHKShyU5DHg2sGtpZlV9tqqOraodVbUDuAo4s6r2bkqLJUlrWrO4V9UB4DzgSmAfcEVVXZ/k4iRnbnYDJUnrN+gO1araDewem3bRCss+efJmSZImMTfdD7R6OZIkzYLdD0hSgyzuktQgi7skNcjiLkkNsrhLUoMs7pLUIIu7JDXI4i5JDbK4S1KDLO6S1KC56X5AW5vdT0jTZXGXJuQHk+aRxV2ABUpqjcVdW96sP9hmvX21yS9UJalBHrk3wqM/SaMs7nPC4ixpmjwtI0kNsrhLUoM8LaOp8LSSNF88cpekBlncJalBnpbpeVpBUks8cpekBnnkPiUe+UuaJx65S1KDLO6S1CCLuyQ1yHPu0hbn90Vt8shdkhpkcZekBlncJalBnnNXEzxvLH0li7skzdBmHZh4WkaSGmRxl6QGDTotk+QM4DeBbcBrq+qSsfk/ATwfuBv4B+DcqvrIlNsqaQ75fcd8WrO4J9kGXAo8FdgP7Emya6x4v66qfrtf/kzg14EzNqG9K3IHkxaT793NMeS0zGnAzVV1S1V9CbgcOGt0gar63MjDBwA1vSZKktZryGmZ44HbRx7vB54wvlCS5wMXAIcBT1luRUnOBc4FOOmkk9bbVknSQEOO3LPMtH9xZF5Vl1bVI4AXAb+w3Iqq6jVVtbOqdm7fvn19LZUkDTakuO8HThx5fAJwxyrLXw48c5JGSZImM6S47wFOTvKwJIcBzwZ2jS6Q5OSRh98J3DS9JkqS1mvNc+5VdSDJecCVdJdCXlZV1ye5GNhbVbuA85KcDnwZuAt43mY2WpK0ukHXuVfVbmD32LSLRsZ/esrtkiRNwDtUJalBFndJapDFXZIaZHGXpAZZ3CWpQRZ3SWqQxV2SGmRxl6QGWdwlqUEWd0lqkMVdkhpkcZekBlncJalBFndJapDFXZIaZHGXpAZZ3CWpQRZ3SWqQxV2SGmRxl6QGWdwlqUEWd0lqkMVdkhpkcZekBlncJalBFndJapDFXZIaZHGXpAZZ3CWpQRZ3SWqQxV2SGmRxl6QGWdwlqUEWd0lqkMVdkhpkcZekBlncJalBg4p7kjOS3Jjk5iQXLjP/giQfSXJdkr9M8tDpN1WSNNSaxT3JNuBS4BnAqcBzkpw6ttgHgJ1V9RjgjcDLpt1QSdJwQ47cTwNurqpbqupLwOXAWaMLVNU7q+qf+odXASdMt5mSpPUYUtyPB24feby/n7aSHwHeNkmjJEmTOXTAMllmWi27YPKDwE7gSSvMPxc4F+Ckk04a2ERJ0noNOXLfD5w48vgE4I7xhZKcDvw8cGZV/fNyK6qq11TVzqrauX379o20V5I0wJDivgc4OcnDkhwGPBvYNbpAkscCr6Yr7J+cfjMlSeuxZnGvqgPAecCVwD7giqq6PsnFSc7sF/s14EjgDUmuTbJrhdVJkg6CIefcqardwO6xaReNjJ8+5XZJkibgHaqS1CCLuyQ1yOIuSQ2yuEtSgyzuktQgi7skNcjiLkkNsrhLUoMs7pLUIIu7JDXI4i5JDbK4S1KDLO6S1CCLuyQ1yOIuSQ2yuEtSgyzuktQgi7skNcjiLkkNsrhLUoMs7pLUIIu7JDXI4i5JDbK4S1KDLO6S1CCLuyQ1yOIuSQ2yuEtSgyzuktQgi7skNcjiLkkNsrhLUoMs7pLUIIu7JDXI4i5JDbK4S1KDLO6S1CCLuyQ1aFBxT3JGkhuT3JzkwmXm/7sk1yQ5kOTs6TdTkrQeaxb3JNuAS4FnAKcCz0ly6thitwHnAK+bdgMlSet36IBlTgNurqpbAJJcDpwFfGRpgar6WD/vnk1ooyRpnYacljkeuH3k8f5+2rolOTfJ3iR777zzzo2sQpI0wJDinmWm1UY2VlWvqaqdVbVz+/btG1mFJGmAIcV9P3DiyOMTgDs2pzmSpGkYUtz3ACcneViSw4BnA7s2t1mSpEmsWdyr6gBwHnAlsA+4oqquT3JxkjMBknxTkv3As4BXJ7l+MxstSVrdkKtlqKrdwO6xaReNjO+hO10jSZoD3qEqSQ2yuEtSgyzuktQgi7skNcjiLkkNsrhLUoMs7pLUIIu7JDXI4i5JDbK4S1KDLO6S1CCLuyQ1yOIuSQ2yuEtSgyzuktQgi7skNcjiLkkNsrhLUoMs7pLUIIu7JDXI4i5JDbK4S1KDLO6S1CCLuyQ1yOIuSQ2yuEtSgyzuktQgi7skNcjiLkkNsrhLUoMs7pLUIIu7JDXI4i5JDbK4S1KDLO6S1CCLuyQ1yOIuSQ0aVNyTnJHkxiQ3J7lwmfmHJ/njfv77kuyYdkMlScOtWdyTbAMuBZ4BnAo8J8mpY4v9CHBXVT0SeDnw0mk3VJI03JAj99OAm6vqlqr6EnA5cNbYMmcBv9+PvxH49iSZXjMlSesxpLgfD9w+8nh/P23ZZarqAPBZ4JhpNFCStH6pqtUXSJ4FPL2qfrR//FzgtKo6f2SZ6/tl9veP/6Zf5tNj6zoXOLd/+CjgxlU2fSzwqfX9d8ybn0p+kdtuvv38Q6tq+5prqapVB+BbgCtHHv8c8HNjy1wJfEs/fmjfsKy17jW2u9e8+VnkF7nt5s0vDUNOy+wBTk7ysCSHAc8Gdo0tswt4Xj9+NvCO6lspSTr4Dl1rgao6kOQ8uqPzbcBlVXV9kovpPmF2Ab8D/GGSm4HP0H0ASJJmZM3iDlBVu4HdY9MuGhn/IvCs6TaN15g3P6P8IrfdvHlgwBeqkqTFY/cDktQgi7skNcjiLkkNmtvinmTDd7gmeWSS712mD5z1rOPB61z+0JHxI5PsXM860nlCku9J8u/78Q134ZDkpzaYOzLJ45J89TpzO/t2f3eSR29k2yPrOnMdy66rnSusY6LXbpn1PW6C7AOTPD7Jgza6jpF1HbnB3Ib/79PIT2qS2jHhdh88pddtw/vPV5jGxfKTDsAlwLH9+E7gFuBm4OPAkwbk3zmSfy7wUeC1wIeA8wfkvxXYB1wPPAH4874Nt9PfnLVG/hzg0/12n9Fn/7LPP2dA/mn9//dtfbtfC7y9n/a0AfkLxoafobuR7ALggjWyrxwZfyJwW/983g58x4BtPwnYC/wFcBfwVuA9wLuAEwfkv2ds+F7gE0uPB+QP9Nv+EeCrN7DvTfraPW5seDxdFx2PBR43IP9HI/vu0/vt/kW/7z9rwvfVbQdh3/+FkfFT++fxVuBjwBMG5L8GeBVd54THAL/Uv2+vAB4yID9p7TgSuLj//38WuBO4Cjhn4HN8El1/W3cCN/Xb/mQ/bcdm7z+rrnuS8LQG4EMj4+8EvqkfP4UBd2sBHx4Z3wMc048fAVw3IP9+4Ovp7sb9FPDEkSf+PUPaT3fL8MOAzwGP6KcfN3D7+5bbEfr17RuQ/zzwx8BFwC/2w11L42tkrxl77h/Xjz984HP/AWD7SHv/pB9/KvBnA/IH6D4QLgN+tx8+3/972cDn/ruA/0VXpN9Cd5/F/YfuexO+dvcA7+2fu6XhC/2/71jnvv/epf2gb9MHB+THP9hHP+A/cxD2/dH950+BZ/TjpwHvHZB/O3A+cCFwHfAiuoJ5PvCWdT5/G6kdb6H7gD+hf97+K3AyXUeIvzIg//+A7we2jUzb1u+DV232/rPquicJT2sAbgAO7cevGpv3oQH5DwDHj7zAXzXyJF8/JD8yvm9s3jUD8teOjN8xNm9Igbhp6f8/Nv0wuh4518qfRNcb50uBI/pptwx87kffnFev9Lyskr9uZHzb2PqGPPffRHek/JPcd2nurevYd0a3d3/g+4D/TVfoX3cQXruzgXcz8lfOOtt/PfDAfvyvgUPW+fx9EXgJ932ojw5/PyA/6b5/zXLrWsf+M7r928bmXTsgP2nt+ODY4z39v4cANwzI37SRedPaf1YbBt3EdBBcCuxOcgnw9iS/QfcG/Xbg2gH5/wz8WZI30b1Z3pHk7cC/pTsCXMvodw8/NzbvsAH525L8KnAUcEOS/07X/tOBvx2QvwzYk+Ry7uuB80S6T//fWStcVbcBZyc5C/jzJC8fsM0lj05yHRBgR5IHVdVdSQ4B7jcgvzfJ79AV6LPoTseQ5Ai6Yr9W2/ckeSrdkdo7krwIqHW0/97vJarqC3R/zl+R5GjgmQPyE712VfXGfl97SZIfojtiXk/7Xwy8M8mldKez3pDkLcBT6I5q13IN8Oaqunp8RpIfHZCfdN9/eJJddK/DCUmOqKp/6ucN2X9Gt/8Hq8xbyaS14x+TPLGq/jrJd9PdYU9V3TPwO6+rk7yS7kh/9L37PLqDzlVNYf9ZdeVzMQDfRndq4QN0fyq/Dfhx4H4D80fTHf29HHgF3Z93jx6YPZP+iHds+iOAFw7IP5DujXEh3Tm876U71XApA84b9uv42j7/CuC3+vFTN/A8HgH8GvBXA5d/6Nhwv376sQw7530/4Kf6Nv8Y/Z+ndEfRD11n2/81XXEe9FdHn/nZCfe7iV+7kXU9lu4vxzvXmTuZ7q+uPwH+D9056KcPzD6K/pzzMvOOG5CfdN9/0thw5NK2gecPyF+8lBmb/kjgjQOfgw3XDuAxdKemPkv3l9Oj+unbgRcMyB/W152399v+cL/9nwIOX+d+8I39/vPJSfbppcE7VKUp6o/2jqqqz826LVo809x/5uZSyCRPT/KqJLuSvKUfP2MK652on4Yh+STbkvx4kpck+daxeb8w4fbfNqv8LLfd5+f+tUtyaJ9/e39661rgj5P8RJI1T0uM5N+W5LokH+zHB+XXWPfcP3/9chO992edX2W9F6291Feqzuc2mv+K7c/DkXt/nuwUunNu+/vJJwD/ke5LiZ9eI7/SdbWh+8LkhE3Ov5budMj76S7FfHdVXdDPu6aqVr1udZXrWgO8taoesln5WW67zy/6a/d64O/pzrmO7rvPAx5cVd+/yflFf/4mfe/PNL/Gum+rqpNmlp+T4v7RqjplmekBPlpVJ6+Rv5vuutbRL0Cqf3x8Va36xdAU8tdV1WP68UOBV9Kds34O3Tf4jx2w/XePbX/JN1fV/TcrP8ttj+QX+bW7saoetcK8ZffrKecX/fmb9L0/6/xKp09CdznuqhetTJpf1TRO3E860F3fetoy009j2OVMNwEnrTDv9oOQ/xeXTNFdc/4ehl0O9WHg5Am2v+H8LLfdyGt3FV1316OXMB5Cd+3z+w5CftGfv0nf+7PO38YKX1wPfP4myq82zMulkOcAr0pyFPf9aXQi3U0l5wzI/wbwILonatzLDkJ+b5IzqureS9eq6uIkd9Bd+bCWX2Ll7z/OX2H6tPKz3DYs/mv3bLorXV6Z5K5+2oOAdzDsR2smzS/683cOk733Z53/A7qrzP5umXmvOwj5Fc3FaZklSb4GOJ7uT5L9VfWJGTdJGixdnyapqg39OPKk+UU26Xt/1vl5NDdXywBU1Seq6uqq2gv8xCTrOhhXCmxy/q2zys9y231+1s/9hvJV9emq+tSs8ksWMT/pe3/W+VFJfmmW+SVzVdzHDO4ZcAU7Fzx//Azzs9w2zP65Nz/b/KTv/a2eB+a7uG+4u9veJxc8v+aty5uYn+W2YfbPvfnZ5id972/1fLeSeTrnPipJal4bJ2nTJDmkqu4xP5m5OHJP8vAklyX55XQ/lvA/gQ8leUOSHQPyhyT54SR/mu4Ov6uTXJ7kyQO3f3SSS5LckOTT/bCvn7bmj0FMml9j3Zt6l2i6H4f41SR/mOQHxua9csD6J8qvse65P3ecye9w3er5I5K8MMl/SfJVSc4B3pzkZRnwYyOLnl/BDRvMfWXb5uHgOMlfAa+n6/zrB+l6cryC7kcs/kNVPWWN/O/S3YjxF3RdaH4O+L90nYe9papesUb+SrpLz35/6Vvy/tvz5wGnV9VTNzk/yztU30R3rfNVwA8DXwZ+oKr+OcPuMJw0P+s7LGd9h+ZWz19B15vi/ek6QdtH997/buBrquq5jec/z329QC6djjkC+Ce63ggeuFp+VZNcJD+tgdX7dF5Xn+L946v6fw9n2I9d3LiReVPM30334fDOZYYvbGaesT6zgZ+nuwHlGNbZl/0G83fT/XrOrSPD0uMvLUB+tD/7Q4HX0HU5e/h6990tmr+2/zd0v8CVkcdD+tNf9Pwr6K51P25k2q1r5YYM83IT0z1JTqE7cj8iyc6q2pvkkQzoExz4cpJHVNXf9EexXwKo7uhxyJ8mH0/yQroj778DSHIc3U0Mt68WnFJ+H/DjVXXT+Iwkm50/PCPn+KrqvyXZD/wVXRe4a5k0fwvw7dX1Sb/ets9D/t7b86vqAHBuug6f3sGw//9Wzy9lK8nu6qtb/3jwaYVFzVfV+UkeD7w+yZvpus6ezumUaXxCTDrQdax/I12ReiLwJu77LcKzBuSfQneH3U10R1xP6KdvB142IP8gursEb6DrrP8zfVteStd502bnz6bvR3qZec/czDzdXYinLzP9DIbdPj5p/vnAN6wwb8jv3846/0fAGctM/1Hgy+bXzL+W5ftzfwTw163nR5Y/BHgB3enkO4bmVhvm4pz7cpIcC9xVVXcPXD50v5265e7uk1qUTHbF3CLmkzwEeGxV7d7odpfMy2kZkjya7mfajqf7s+QOuh+vHfrN8aOAs5KM5ndV1b4J2/VDVfW7WzF/sLa9wms/+LUzb761fJJbJ61d83Ip5IuAy+m+hHg/sKcfvzzJhRPkXz8kv4YXb+H8pm970tfOvPmtnF913fNwWibJR4Gvq6ovj00/jO4X4Nfsk3nC/HUrzQJOqarDW83PQdtn/dqbN7+w+dXMy2mZe+h+HPnjY9Mf0s/b7PxxwNOBu8amB3hv4/lZt33Wr71584ucX9G8FPf/BPxlkpu479LBk+h+Af28g5B/K9033teOz0jyrsbzs277rF978+YXOb+iuTgtA5DkELpfP7m3T2Vgzzqulpkor9mZ9Wtv3vwi51c0jespN2MAzjU/m/wit928+a2ev3c901jJZgwMuHXd/ObkF7nt5s1v9fzSMBeXQq5g1n0ib+X8IrfdvPmtnu9W0n9SzJ0kJ1TV/rWXND/t/CK33bz5rZ5fMpdH7kmeCHxfkqeZP7j5g73tJE9I8sB+/P5JXkz3a/QvTXK0efPmN2YuinuS94+M/xhdz2hHAb+YYXd5md9gftZtBy6j67sa4DfpegZ9aT9tSNcH5s1v5fzKpnHiftKBr+zPfQ+wvR9/APAh85uXn4O27xsZv2Zs3rXmzZvf2DAXR+7AIUkelOQYuu8B7gSoqn8EDpjf1Pys2/7hJD/Uj38wyU6AdP37f3nlmHnz5lc1ySfDtAbgY9z36ze30P08FXSd/Q/59DO/wfwctP1o4PeAvwHeR7dD3wK8mxX6WTdv3vzaw9xeLQOQ5Ai6n5+61fzBzR/sbSc5Cng4XZcY+6v/Rat1bM+8+S2bX3ad81zcAZIcWVX/YP7g5xe57ebNb/X8vJxzX81HzM8sv8htN29+S+fnolfIJBesNIsBP7JrfuP5RW67efNbPb+aeTly/xW6H5k+amw4kmFtNL/x/CK33bz5rZ5f2STfxk5roPtRh8evMO9285uXX+S2mze/1fOrrnuS8LQGuh+33r7CvOPMb15+kdtu3vxWz682zP3VMpKk9ZuLc+5Jjk5ySZIbkny6H/b1077a/OblF7nt5s1v9fxq5qK4A1fQ/cDyk6vqmKo6Bvi2ftobzG9qfpHbbt78Vs+vbJJzOtMagBs3Ms/85PlFbrt581s9v9owL0fuH0/ywiTHLU1IclySF3HfL4Kb35z8IrfdvPmtnl/RvBT37weOAd6d5K4knwHeBTwY+D7zm5pf5LabN7/V8yub5LB/mgPwaOB04Mix6WeY39z8IrfdvPmtnl9xvZOEpzUALwBuBN5M14XsWSPz1vwlcPMbzy9y282b3+r5Vdc9SXhaA/Ah+k8tYAewF/jp/vEHzG9efpHbbt78Vs+vNsxFx2HAtuq7tqyqjyV5MvDGJA+l60DH/OblF7nt5s1v9fyK5uUL1U8k+calB/1/9ruAY4GvN7+p+UVuu3nzWz2/skkO+6c1ACfQ/zzbMvO+1fzm5Re57ebNb/X8aoN9y0hSg+bltIwkaYos7pLUIIu7towkdye5Nsn1ST6Y5IIkq74HkuxI8gMHq43StFjctZV8oaq+saq+Dngq8B3AL66R2QFY3LVw/EJVW0aSf6iqI0cePxzYQ3fZ2UOBPwQe0M8+r6rem+Qq4GuBW4HfB/4HcAnwZOBw4NKqevVB+09IA1nctWWMF/d+2l10fXt8Hrinqr6Y5GTg9VW1s7+p5Ger6rv65c8F/lVV/XKSw4H3AM+qqlsP6n9GWsO83KEqzcrSXYD3A36rv6HkbuCUFZZ/GvCYJGf3j48GTqY7spfmhsVdW1Z/WuZu4JN0597/DvgGuu+ivrhSDDi/qq48KI2UNsgvVLUlJdkO/DbwW9Wdmzwa+Nuqugd4LrCtX/TzwFEj0SuBn0xyv349pyR5ANKc8chdW8n9k1xLdwrmAN0XqL/ez3sl8KYkzwLeCfxjP/064ECSDwK/B/wm3RU01yQJcCfwzIP1H5CG8gtVSWqQp2UkqUEWd0lqkMVdkhpkcZekBlncJalBFndJapDFXZIaZHGXpAb9f3hzdIc+3CvCAAAAAElFTkSuQmCC\n",
"text/plain": [
"<Figure size 432x288 with 1 Axes>"
]
},
"metadata": {
"needs_background": "light"
},
"output_type": "display_data"
}
],
"source": [
"debates.groupby('Date')['subjectivity'].mean().plot.bar()"
]
},
{
"cell_type": "code",
"execution_count": 537,
"metadata": {},
"outputs": [
{
"data": {
"text/plain": [
"<matplotlib.axes._subplots.AxesSubplot at 0x1a2acac128>"
]
},
"execution_count": 537,
"metadata": {},
"output_type": "execute_result"
},
{
"data": {
"image/png": "iVBORw0KGgoAAAANSUhEUgAAAXcAAAE6CAYAAADtBhJMAAAABHNCSVQICAgIfAhkiAAAAAlwSFlzAAALEgAACxIB0t1+/AAAADl0RVh0U29mdHdhcmUAbWF0cGxvdGxpYiB2ZXJzaW9uIDMuMC4yLCBodHRwOi8vbWF0cGxvdGxpYi5vcmcvOIA7rQAAF7VJREFUeJzt3X2wZHV95/H3h0EQBInCSFxABw1g8CEaR7TWbDTxCWMEU0EFa41PCXF3UXdJomRjEcXsrmIWTSImUomJsaKE6K7OmolUViNb6hJnRNAdR3RElCliHBWj0SAOfPeP03dorvfOPTP03HP6d9+vqlvV52G6P9Pd85lzz8PvpKqQJLXloKEDSJJmz3KXpAZZ7pLUIMtdkhpkuUtSgyx3SWqQ5S5JDbLcJalBlrskNejgoV74mGOOqQ0bNgz18pI0lz75yU9+varWr7TeYOW+YcMGtm7dOtTLS9JcSvLlPuu5W0aSGmS5S1KDLHdJapDlLkkNstwlqUGWuyQ1yHKXpAZZ7pLUIMtdkho02BWqkjobLvjrmT3Xja9/xsyeS/PNcpe0pFn9p+N/OMNwt4wkNchyl6QGWe6S1CDLXZIaZLlLUoMsd0lqkOUuSQ3yPHdJc8Nz7/tzy12SGmS5S1KDLHdJapDlLkkN6lXuSU5Pcn2SHUku2Mt6ZyWpJBtnF1GStK9WLPck64BLgacDpwLnJDl1ifWOBF4O/P2sQ0qS9k2fLffTgB1VdUNV3QZcDpy5xHqvAy4Gbp1hPknSfuhT7scBN01N75zM2yPJo4ATquoDM8wmSdpPfco9S8yrPQuTg4A3Ab+24hMl5ybZmmTrrl27+qeUJO2TPuW+Ezhhavp44Oap6SOBhwEfSXIj8Dhg01IHVavqsqraWFUb169fv/+pJUl71afctwAnJTkxySHA2cCmhYVV9U9VdUxVbaiqDcDVwBlVtfWAJJYkrWjFcq+q3cB5wJXAduCKqtqW5KIkZxzogJKkfddr4LCq2gxsXjTvwmXWfeLdjyVJuju8QlWSGmS5S1KDLHdJatCob9Yxq4H5YW0Mzi9JC9xyl6QGWe6S1CDLXZIaNOp97tKseRxHa4Vb7pLUIMtdkhpkuUtSgyx3SWqQ5S5JDbLcJalBlrskNchyl6QGeRHTfpjVhTBeBCPpQHHLXZIaZLlLUoMsd0lqkOUuSQ2y3CWpQZa7JDXIcpekBlnuktQgy12SGmS5S1KDLHdJapDlLkkNstwlqUGWuyQ1yHKXpAZZ7pLUIMtdkhrknZgk6W6Y1Z3ZYLZ3Z7PcGzHGW/+N9UsvrQXulpGkBlnuktSgXuWe5PQk1yfZkeSCJZa/NMlnklyb5KNJTp19VElSXyuWe5J1wKXA04FTgXOWKO93VdXDq+qRwMXAJTNPKknqrc+W+2nAjqq6oapuAy4Hzpxeoaq+PTV5L6BmF1GStK/6nC1zHHDT1PRO4LGLV0ryH4DzgUOAn51JOknSfumz5Z4l5v3QlnlVXVpVDwZeBbx6ySdKzk2yNcnWXbt27VtSSVJvfcp9J3DC1PTxwM17Wf9y4FlLLaiqy6pqY1VtXL9+ff+UkqR90qfctwAnJTkxySHA2cCm6RWSnDQ1+QzgC7OLKEnaVyvuc6+q3UnOA64E1gFvr6ptSS4CtlbVJuC8JE8GfgDcArzgQIaWJO1dr+EHqmozsHnRvAunHr9ixrkkSXeDV6hKUoMsd0lqkOUuSQ2y3CWpQZa7JDXIcpekBlnuktQgy12SGmS5S1KDLHdJapDlLkkNstwlqUGWuyQ1yHKXpAZZ7pLUIMtdkhpkuUtSgyx3SWqQ5S5JDbLcJalBlrskNchyl6QGWe6S1CDLXZIaZLlLUoMsd0lqkOUuSQ2y3CWpQZa7JDXIcpekBlnuktQgy12SGmS5S1KDLHdJapDlLkkNstwlqUGWuyQ1yHKXpAZZ7pLUoF7lnuT0JNcn2ZHkgiWWn5/ks0k+neRDSR44+6iSpL5WLPck64BLgacDpwLnJDl10WqfAjZW1SOA9wAXzzqoJKm/PlvupwE7quqGqroNuBw4c3qFqvq7qvreZPJq4PjZxpQk7Ys+5X4ccNPU9M7JvOW8BPibpRYkOTfJ1iRbd+3a1T+lJGmf9Cn3LDGvllwx+bfARuCNSy2vqsuqamNVbVy/fn3/lJKkfXJwj3V2AidMTR8P3Lx4pSRPBn4LeEJVfX828SRJ+6PPlvsW4KQkJyY5BDgb2DS9QpJHAW8Dzqiqr80+piRpX6xY7lW1GzgPuBLYDlxRVduSXJTkjMlqbwSOAP4qybVJNi3zdJKkVdBntwxVtRnYvGjehVOPnzzjXJKku8ErVCWpQZa7JDXIcpekBlnuktQgy12SGmS5S1KDLHdJapDlLkkNstwlqUGWuyQ1yHKXpAZZ7pLUIMtdkhpkuUtSgyx3SWqQ5S5JDbLcJalBlrskNchyl6QGWe6S1CDLXZIaZLlLUoMsd0lqkOUuSQ2y3CWpQZa7JDXIcpekBlnuktQgy12SGmS5S1KDLHdJapDlLkkNstwlqUGWuyQ1yHKXpAZZ7pLUIMtdkhpkuUtSg3qVe5LTk1yfZEeSC5ZY/tNJrkmyO8lZs48pSdoXK5Z7knXApcDTgVOBc5Kcumi1rwAvBN4164CSpH13cI91TgN2VNUNAEkuB84EPruwQlXdOFl2xwHIKEnaR312yxwH3DQ1vXMyb58lOTfJ1iRbd+3atT9PIUnqoU+5Z4l5tT8vVlWXVdXGqtq4fv36/XkKSVIPfcp9J3DC1PTxwM0HJo4kaRb6lPsW4KQkJyY5BDgb2HRgY0mS7o4Vy72qdgPnAVcC24ErqmpbkouSnAGQ5DFJdgLPBt6WZNuBDC1J2rs+Z8tQVZuBzYvmXTj1eAvd7hpJ0gh4haokNchyl6QGWe6S1CDLXZIaZLlLUoMsd0lqkOUuSQ2y3CWpQZa7JDXIcpekBlnuktQgy12SGmS5S1KDLHdJapDlLkkNstwlqUGWuyQ1yHKXpAZZ7pLUIMtdkhpkuUtSgyx3SWqQ5S5JDbLcJalBlrskNchyl6QGWe6S1CDLXZIaZLlLUoMsd0lqkOUuSQ2y3CWpQZa7JDXIcpekBlnuktQgy12SGmS5S1KDLHdJalCvck9yepLrk+xIcsESyw9N8peT5X+fZMOsg0qS+lux3JOsAy4Fng6cCpyT5NRFq70EuKWqfgx4E/CGWQeVJPXXZ8v9NGBHVd1QVbcBlwNnLlrnTOAdk8fvAZ6UJLOLKUnaF33K/TjgpqnpnZN5S65TVbuBfwKOnkVASdK+S1XtfYXk2cDTquqXJ9PPB06rqpdNrbNtss7OyfQXJ+t8Y9FznQucO5k8Bbh+Rn+PY4Cvz+i5ZsVM/ZipvzHmMlM/s8z0wKpav9JKB/d4op3ACVPTxwM3L7POziQHA0cB31z8RFV1GXBZj9fcJ0m2VtXGWT/v3WGmfszU3xhzmamfITL12S2zBTgpyYlJDgHOBjYtWmcT8ILJ47OAD9dKvxJIkg6YFbfcq2p3kvOAK4F1wNuraluSi4CtVbUJ+BPgnUl20G2xn30gQ0uS9q7PbhmqajOwedG8C6ce3wo8e7bR9snMd/XMgJn6MVN/Y8xlpn5WPdOKB1QlSfPH4QckqUGWuyQ1yHKXpAbNfbknue/QGZaS5N8PnQEgycYkv5DkmUkeMnCWHxny9ftK8pNDZ1hOkiOGzjAtiVei9zDEd6rX2TJjkeTxwB8DdwAvBn4HeHCSewDPqar/O1Cu8xfPAn4zyT0BquqSATI9AfjvwLeARwMfA+6T5AfA86vqpr39+QPk60k+ArwbeG9VfWuADHexxD+6AO9P8ky6Ew6uGSDW3nwWeMAQL5zk9cDvVtXXk2wErgDumPz7+6WqumqATEcArwR+ke4Cy9uALwJ/VFV/ttp5JplG8Z2aq3KnG3HyOcARwF8Dz6qqj07ezD8AHj9QrtfSnSq6je6DhO6agCMHygPwZuCpVbUryYnAJVX1+CRPobsu4akDZNo+yXUOcHGSj9IV/fur6l8GyAOwFbga+P7UvKOBS4ACfna1Ay2xsbBnEd13fyjPqKqFIb/fCDy3qrYkORl4FzDEVaF/AfxP4Gl03XAvusENX53k5Kr6zwNkGsV3aq5OhUzyqap61OTx9qr68all11TVIL9OJ3kA3Qf3ReC1VfW9JDdU1YOGyDPJ9OmqesTk8Tpgy8L7k2RbVT10gEzXTGU4DHgm3QVvTwCurKrnDZDpLOBlwBsm13OQ5EtVdeJqZ5nKdCtdee5eYvF/qqpBdm8l+RzwsMmFjVdX1eOmln2mqh4+QKbrquonpqa3VNVjkhwEfLaqVn1X5Fi+U/O25T59jOA3Fy07ZDWDTKuqrwBnJTkT+Nskbxoqy5StSf4E+BDdkMwfAUhyON1vFUPYMwz0ZEv9CuCKJEcBzxoiUFW9J8kHgdcleRHwa3RbV0O6BnhfVX1y8YIkvzxAngWXApsnu2c+mOTNwP8AngRcO1Cm7yb5qclv8M9kMqZVVd0x1LDjY/lOzduW+xnA/66q7y2a/2DgF6vq4mGS3SXL4XS7aR5bVT89YI57AL9Cd4OV6+iGjbh9ssV8v6r68gCZfr2qfne1X7evJI+i+w3sYX1G3TuAOU4BvlFVPzSKYJJjq+ofB4i18Po/A7wUOJlu43An8D6679cPBsjzCLrjcKcAnwFeUlXXJ1kPnFNVv7/amRbleyTd7uSHVtX9VvW156ncpQNtsrV3ZFV9e+gsasNQ36m5PxVyQZIxjidBkr8ZOsNiI800yOeX5OAkv5rkg0k+Tbd74S+TvHTy28+oDP09T/K0JH+YZFOS908en26m5VXn2wBJLlxp/VmZqy33vZzTHuC6qjp+NfPsefHlz2EN8IGquv9q5oHRZhrd55fk3XSni76DbhcDdKfUvQC4b1U9d4BMo3ufACb72E8G/py7vle/BHyhql5hpr1L8pWqWpVTWeet3G8HvszUgTm6AxUBjquqQQ6qTnJdtSjXgsdV1WGrHGnMmUb1+SW5vqpOWWbZ56vq5AEyje59muRa8v2Y7Hb4fFWdZCZIstzulwCHVdWqnMgyb2fL3AA8aXJ2yl0kGeKinAXbgV+tqi8sXjBgrjFmGuPnd0u6W0m+t6rumGQ5iG4I61sGyjTG9wng1iSnVdUnFs1/DHDrEIEYZ6ZvAY9Z6sD3an5+81bubwbuA/zQlx4Y8kyZ17D88YuXLTP/QHsN48s0xs/vbOANwFuTLJT5fYAPM9xNZ8b4PgG8EPjDJEdy5y6QE4BvT5aZqfPnwAOBpc5qetdqhZir3TLSgZRunJQsdQqi7pTkR4Hj6HYz7Kyqrw4caZSZhjb3Z8sMffbAcpJ8YOgMi40002g+v6r6xmTclNFkWjCmTFX11ar6ZFVtpTvnfXBjzDQtyWtW+zXnvtwZZjyLPo4bOsASxphpjJ+fmfo7Y+gASzATbZT714YOsIxPDR1gCWPMNMbPz0z9DXKJ/wrMhPvcJd0NSQ5aOMtoLMzUmast9yRHJXl9ks8l+cbkZ/tk3ihvBDHU1aBJ7p3kvyV5Z5LnLVr21iEy7c2AV6ium1yh+rp09wuYXvZqM93ltQ9P8sokv5HknkleCLwvycUZ6CYiY8y0jM+t9gvO1ZZ7kivpTlF7x8LR8MlR8hcAT66qpwyUa4xXg74X+ALduNIvBn4APK+qvp+Bhkce45WXSf4YOBz4BPB84KqqOn+ybKj3aXSZJq99BXATcBjdQF3b6Ub2fCbwo1X1fDNBku9w5yiQC7tjDge+Rzcawb1XJceclfveriZcdtmBNtKrQa+tqkdOTf8W8HN0B3b+dqDSGt2Vl7nruPcHA28FjqG7ocjVC/cPWOuZJlmurapHTq7+/Afg/lVVk+nrFjKbKX8AHAX8xsKFTHE89xV9Ockr6bbcF960Y+kuVvAK1bs6dHo/X1X9lyQ7gf/DcHfzGeOVl3v+Q6mq3cC56QZ3+jDDvU9jzLTHpDw312TLcDI96FbimDJV1cuSPBp4d5L3AW9hgPHc52qfO/BcuttVXZXkm0m+SXcTivvS3WJrKK9hfFeD/i8W3c6rqt5Bd+OA2wZJdOeVl0sZ6srLrVk0gmBVXQT8KbBhkETjzARdriMmeV68MDPd/RS+Y6Y7VXejlSdPJq8C7rnaGeZqt4ykcUqSGlmZjCVTkvsDj6rJLfdWy7ztlllWkhdV1Z8OnWOxMeYaMlOSh9Dd9u84ul9VbwY2VdX2IfKYaf5zzUumyX73Vcs0b7tl9ua1QwdYxhhzDZIpyavo7kwfujNBtkwevzvJBWYab6ax5jLTXnKM4LeW3tLdKWfJRcDJVXXoaubZ8+IjzDXSTJ+nu5fkDxbNPwTYNtR44Gaa31xmWt687ZY5FngaPzzOdoCPr36cPcaYa4yZ7gD+Fd3pkNPuP1k2BDP1N8ZcZlrGvJX7B4AjquraxQuSfGT14+wxxlxjzPQfgQ8l+QJ3nrr6AODHgPPMNOpMMM5cZlrGXO2W0fxLd5ej05gaexvYUlW3m2ncmcaay0zLZJj3ck9yblWNZqzrBWPMZaZ+zNTfGHOZqdPC2TKjG5h/Yoy5zNSPmfobYy4z0Ua5j3HsZhhnLjP1Y6b+xpjLTLSxW+b4qtq58pqra4y5zNSPmfobYy4zdeZ6yz3JTwHPSfLUobNMG2OuMWRK8tgk9548PizJa+nuXP+GJEeZabyZxprLTMubq3JP8ompx79CN9rakcBvD3zl3uhyjTET8Ha6Ma0Bfo9uWNQ3TOYNNUSDmfobYy4zLaeq5uYH+NTU4y3A+snjewGfMdfoM22fenzNomXXmmm8mcaay0zL/8zVljtwUJL7JDma7njBLoCq+i6w21yjz/T/krxo8vi6JBsBkpxMd6coM403E4wzl5mWMVcHVJPcSHf5buhGWvvXVfXVdOM5f7Sm7jy01nONNNNRdL+m/hvg68BP0l3BdxPw8qq6zkzjzDTWXGbaS455KvflJDkcOLaqvjR0lmljzDWGTEmOBB5EN/zFzprcVWtIZupvjLnMtMTrt1DuAEmOqKp/HjrHYmPMZaZ+zNTfGHOt9Uzzts99bz47dIBljDGXmfoxU39jzLWmM83VqJBJzl9uEQPeOHiMuczUj5n6G2MuMy1v3rbc/yvdDZaPXPRzBMP+XcaYy0xmWgu5zLScIc4DvRvnj34cePQyy24yl5nMtLZymWn5n7k6oJrkFOCbNTlne9GyY2ugI+RjzGUmM83aGHOZaS855qncJUn9zNU+9yRHJXl9ks8l+cbkZ/tk3o+Yy0xmWlu5zLS8uSp34Aq6Gz4/saqOrqqjgZ+ZzPsrc5nJTGsul5mWMVe7ZZJcX1Wn7OuyA22MucxkplkbYy4zLW/etty/nOSVSY5dmJHk2CSv4s67jJvLTGZaO7nMtIx5K/fnAkcDVyW5Jck3gY8A9wWeYy4zmWnN5TLTMuZqtwxAkocAxwNX19QYDUlOr6oPmstMZlpbucy0jNU6oX4WP8DLgeuB9wE3AmdOLbvGXGYy09rKZaa95Bjqi7Kfb9pngCMmjzcAW4FXTKY/ZS4zmWlt5TLT8j9zNXAYsK4mv+JU1Y1Jngi8J8kD6QblMZeZzLS2cplpGfN2QPWrSfbcQWjyBv48cAzw8MFSjTOXmcw0a2PMZaZlzNUB1STHA7ur6qtLLHt8VX1sgFijzGUmM83aGHOZaS855qncJUn9zNtuGUlSD5a7JDXIcteakeT2JNcm2ZbkuiTnJ9nrv4EkG5I8b7UySrNiuWst+ZeqemRVPRR4CvBzwG+v8Gc2AJa75o4HVLVmJPnnqjpiavpBwBa6U9QeCLwTuNdk8XlV9fEkVwM/DnwJeAfw+8DrgScChwKXVtXbVu0vIfVkuWvNWFzuk3m3AA8BvgPcUVW3JjkJeHdVbZxcgPLrVfXzk/XPBe5XVb+T5FDgY8Czq+pLq/qXkVYwb1eoSrO2cMXgPYC3TC4+uR04eZn1nwo8IslZk+mjgJPotuyl0bDctWZNdsvcDnyNbt/7PwI/QXcs6tbl/hjwsqq6clVCSvvJA6pak5KsB/4IeEt1+yaPAv6hqu4Ang+sm6z6HeDIqT96JfDvktxj8jwnJ7kX0si45a615LAk19LtgtlNdwD1ksmytwLvTfJs4O+A707mfxrYneQ64M+A36M7g+aaJAF2Ac9arb+A1JcHVCWpQe6WkaQGWe6S1CDLXZIaZLlLUoMsd0lqkOUuSQ2y3CWpQZa7JDXo/wNWbwhvkNNxRQAAAABJRU5ErkJggg==\n",
"text/plain": [
"<Figure size 432x288 with 1 Axes>"
]
},
"metadata": {
"needs_background": "light"
},
"output_type": "display_data"
}
],
"source": [
"#One speaker over time\n",
"\n",
"debates[debates['Speaker'] == 'Sanders'].groupby('Date')['subjectivity'].mean().plot.bar()"
]
},
{
"cell_type": "markdown",
"metadata": {},
"source": [
"Other things to consider:\n",
"\n",
"- Does the presence of stop words affect the polarity/subjectivity scores? If so, how?\n",
"- Can we associate certain topics with higher/lower sentiments?\n",
"- You can use your own cutoffs for the polarity/subjective score to classify a piece of text"
]
},
{
"cell_type": "markdown",
"metadata": {},
"source": [
"## Topic Modeling and Extensions"
]
},
{
"cell_type": "code",
"execution_count": 538,
"metadata": {},
"outputs": [],
"source": [
"#Building a histogram of common words (which we will later use to reference the topics)\n",
"\n",
"#double loop in list comprehension form\n",
"words = [word.lower() for speech in debates['Text'] for word in speech.split()] # these are all the words\n",
"\n",
"from collections import Counter\n",
"histogram = Counter()\n",
"for word in words:\n",
" histogram[word] += 1\n",
"sorted_pairs = sorted(histogram.items(), key=lambda x: x[1], reverse=True)\n",
"sorted_pairs = sorted_pairs[100:] # remove most common 100 terms\n",
"vocabulary = sorted([term for term, count in sorted_pairs])"
]
},
{
"cell_type": "code",
"execution_count": 539,
"metadata": {},
"outputs": [],
"source": [
"#Vectorizing\n",
"\n",
"vectorizer = TfidfVectorizer(vocabulary = vocabulary) #using our own vocabulary\n",
"tfidf_mat = vectorizer.fit_transform(debates['Text'])"
]
},
{
"cell_type": "code",
"execution_count": 540,
"metadata": {},
"outputs": [
{
"data": {
"text/plain": [
"11545"
]
},
"execution_count": 540,
"metadata": {},
"output_type": "execute_result"
}
],
"source": [
"len(vocabulary) #11.5K words"
]
},
{
"cell_type": "code",
"execution_count": 541,
"metadata": {},
"outputs": [
{
"data": {
"text/plain": [
"LatentDirichletAllocation(batch_size=128, doc_topic_prior=None,\n",
" evaluate_every=-1, learning_decay=0.7,\n",
" learning_method='batch', learning_offset=10.0,\n",
" max_doc_update_iter=100, max_iter=10, mean_change_tol=0.001,\n",
" n_components=5, n_jobs=None, n_topics=None, perp_tol=0.1,\n",
" random_state=None, topic_word_prior=None,\n",
" total_samples=1000000.0, verbose=0)"
]
},
"execution_count": 541,
"metadata": {},
"output_type": "execute_result"
}
],
"source": [
"#Extract 5 (or more) topics\n",
"#We can also try extracting topics such that they equal the number of candidates in the data (or another relevant part of it)\n",
"\n",
"from sklearn.decomposition import LatentDirichletAllocation\n",
"lda = LatentDirichletAllocation(n_components = 5)\n",
"lda.fit(tfidf_mat)"
]
},
{
"cell_type": "code",
"execution_count": 542,
"metadata": {},
"outputs": [
{
"name": "stdout",
"output_type": "stream",
"text": [
"Topic 0 : your, time, united, money, lot, only, theyre, why, tell, youre\n",
"Topic 1 : thank, respond, did, question, wrong, answer, chris, am, why, something\n",
"Topic 2 : yes, inaudible, name, wolf, ill, hold, tell, donald, false, sure\n",
"Topic 3 : jake, correct, planned, parenthood, youre, agree, please, response, hillary, fine\n",
"Topic 4 : yeah, oh, true, sorry, wait, david, evening, minute, break, liar\n"
]
}
],
"source": [
"alltopics_top_words = []\n",
"top_words = np.zeros(len(lda.components_))\n",
"for topic_idx, word_dist in enumerate(lda.components_):\n",
" top_word_indices = np.argsort(-word_dist)[:10]\n",
" top_words = [vocabulary[word_idx] for word_idx in top_word_indices]\n",
" alltopics_top_words.append(top_words)\n",
" print('Topic', topic_idx, ':', ', '.join(top_words))"
]
},
{
"cell_type": "code",
"execution_count": 543,
"metadata": {},
"outputs": [],
"source": [
"#Transform to a matrix of proportions\n",
"\n",
"proportions = lda.transform(tfidf_mat)"
]
},
{
"cell_type": "code",
"execution_count": 544,
"metadata": {},
"outputs": [
{
"data": {
"text/plain": [
"0 0.000000\n",
"1 0.019046\n",
"2 0.076125\n",
"3 0.105498\n",
"4 0.091125\n",
"5 0.307726\n",
"6 0.169585\n",
"7 0.000000\n",
"8 0.051548\n",
"9 0.244854\n",
"Name: polarity, dtype: float64"
]
},
"execution_count": 544,
"metadata": {},
"output_type": "execute_result"
}
],
"source": [
"#How do we get the average polarity/subjectivity for a topic\n",
"\n",
"x = proportions[:,0]*debates['polarity'] #this is the calculation that we want happening\n",
"x[:10]"
]
},
{
"cell_type": "code",
"execution_count": 545,
"metadata": {},
"outputs": [],
"source": [
"#Compute the average polarity/subjectivity for a topic\n",
"\n",
"topic_polarity = [(proportions[:,topic]*debates['polarity']).sum()/proportions.shape[0] for topic in range(proportions.shape[1])]\n",
"topic_subjectivity = [(proportions[:,topic]*debates['subjectivity']).sum()/proportions.shape[0] for topic in range(proportions.shape[1])]\n"
]
},
{
"cell_type": "code",
"execution_count": 546,
"metadata": {},
"outputs": [
{
"data": {
"text/plain": [
"Text(0, 0.5, 'Topic polarity')"
]
},
"execution_count": 546,
"metadata": {},
"output_type": "execute_result"
},
{
"data": {
"image/png": "iVBORw0KGgoAAAANSUhEUgAAAYsAAAGGCAYAAACKfq1VAAAABHNCSVQICAgIfAhkiAAAAAlwSFlzAAALEgAACxIB0t1+/AAAADl0RVh0U29mdHdhcmUAbWF0cGxvdGxpYiB2ZXJzaW9uIDMuMC4yLCBodHRwOi8vbWF0cGxvdGxpYi5vcmcvOIA7rQAAIABJREFUeJzt3XmcXXV9//HXm0QWUVAhLiwxUYIa2YSAIuBS1IIWoxVqEBWVglbRVmtb1F+V0haXtlKroKJIMVgRwSUqFqwgyGJIwh4wNSItEa3RQGQPgffvj3OG3Awzcy7JnHtmznk/H4953HvOPffO52Yy87nf7fOVbSIiIsaySdMBRETExJdkERERlZIsIiKiUpJFRERUSrKIiIhKSRYREVEpySIiIiolWURERKUki4iIqDS16QDGy7bbbusZM2Y0HUZExKSyZMmS39qeVnVda5LFjBkzWLx4cdNhRERMKpL+p5/r0g0VERGVkiwiIqJSkkVERFRKsoiIiEpJFhERUSnJIiIiKiVZREREpSSLiIio1JpFeRtrxnHfazqEcXHLx17VdAgR0UJpWURERKUki4iIqJRkERERlZIsIiKiUpJFRERUSrKIiIhKSRYREVEpySIiIirVmiwkHSRpmaTlko4b4fHNJH2tfHyhpBk9j+0m6QpJSyVdL2nzOmONiIjR1ZYsJE0BTgYOBmYDh0uaPeyyo4Dbbe8EnAR8vHzuVOBM4B22nwu8BHigrlgjImJsdbYs9gGW277Z9hrgLGDusGvmAmeU988BDpQk4BXAdbavBbD9O9sP1hhrRESMoc5ksT1wa8/xivLciNfYXgusBrYBdgYs6XxJV0n665G+gaRjJC2WtHjlypXj/gYiIqJQZ7LQCOfc5zVTgf2BI8rb10o68BEX2qfanmN7zrRp0zY23oiIGEWdyWIFsGPP8Q7AbaNdU45TbA2sKs9fbPu3tu8BzgP2rDHWiIgYQ53JYhEwS9JMSZsC84AFw65ZABxZ3j8UuNC2gfOB3SQ9tkwiLwZurDHWiIgYQ237WdheK+lYij/8U4Av2V4q6QRgse0FwGnAfEnLKVoU88rn3i7pkxQJx8B5ttux4URExCRU6+ZHts+j6ELqPffhnvv3AYeN8twzKabPRkREw7KCOyIiKiVZREREpSSLiIiolGQRERGVkiwiIqJSkkVERFRKsoiIiEpJFhERUSnJIiIiKiVZREREpSSLiIiolGQRERGVkiwiIqJSkkVERFRKsoiIiEpJFhERUSnJIiIiKiVZREREpSSLiIiolGQRERGVkiwiIqJSkkVERFRKsoiIiEq1JgtJB0laJmm5pONGeHwzSV8rH18oaUZ5foakeyVdU359rs44IyJibFPremFJU4CTgZcDK4BFkhbYvrHnsqOA223vJGke8HHg9eVjP7e9R13xRURE/+psWewDLLd9s+01wFnA3GHXzAXOKO+fAxwoSTXGFBERG6DOZLE9cGvP8Yry3IjX2F4LrAa2KR+bKelqSRdLOqDGOCMiokJt3VDASC0E93nNr4Dptn8naS/gW5Kea/v36z1ZOgY4BmD69OnjEHJERIykzpbFCmDHnuMdgNtGu0bSVGBrYJXt+23/DsD2EuDnwM7Dv4HtU23PsT1n2rRpNbyFiIiAepPFImCWpJmSNgXmAQuGXbMAOLK8fyhwoW1LmlYOkCPpGcAs4OYaY42IiDHU1g1le62kY4HzgSnAl2wvlXQCsNj2AuA0YL6k5cAqioQC8CLgBElrgQeBd9heVVesERExtjrHLLB9HnDesHMf7rl/H3DYCM87Fzi3ztgiIqJ/WcEdERGVkiwiIqJSkkVERFRKsoiIiEpJFhERUSnJIiIiKiVZREREpSSLiIiolGQRERGVkiwiIqJSkkVERFRKsoiIiEpJFhERUSnJIiIiKiVZREREpSSLiIioVJksJB0kSYMIJiIiJqZ+WhZvAX4m6URJs2qOJyIiJqDKZGF7HjAH+CXwVUk/lvQ2SVvWHl1EREwIfY1Z2L4D+A/g34HpwOHAtZLeWV9oERExUfQzZnGwpK8DPwYeD7zA9suB3YG/qTm+iIiYAKb2cc2bgM/avrD3pO27JR1dT1gRETGR9NMNdcvwRCHpRADbF9QSVURETCj9JIuDRjj3qvEOJCIiJq5Rk4Wkt0u6Gni2pKt6vn4G3NjPi5drNJZJWi7puBEe30zS18rHF0qaMezx6ZLukvT+R/e2IiJiPI01ZnE28EPgo0DvH/o7bf+m6oUlTQFOBl4OrAAWSVpguzfRHAXcbnsnSfOAjwOv73n8JOD7fb2TiIiozVjdUGtsL6f4g76y5+s+SVv18dr7AMtt32x7DXAWMHfYNXOBM8r75wAHDq0Wl/Qa4GZgab9vJiIi6jFWy+Ic4GCKP9YGNOx2esVrbw/c2nO8Anj+aNfYXitpNbCNpHsppuW+HBi1C0rSMcAxANOnV4UTEREbatRkYfvg8lP+823ftgGvPVI9Kfd5zd8BJ9m+a6yyVLZPBU4FmDNnzvDXjoiIcTLmOgvblvQdYK8NeO0VwI49xzsAw5PO0DUrJE0FtgZWUbRADpX0CeAJwEOS7rP9mQ2IIyIiNlI/i/KulLSn7ase5WsvAmZJmklRV2oe8IZh1ywAjgSuAA4FLrRt4IChCyQdD9yVRBER0Zx+ksX+wNGSfg7cTTlmYXvPsZ5UjkEcC5wPTAG+ZHuppBOAxbYXAKcB8yUtp2hRzNuI9xIRETXpJ1m8ZkNf3PZ5wHnDzn245/59wGEVr3H8hn7/iIgYH5XJwvbPASQ9Cdi89ogiImLC6afq7Ksk/TfFYPRCiqmuF479rIiIaJN+akP9I7AfsMz2jhS1on5UZ1ARETGx9JMs1tpeCWwiSbZ/AIw5uB0REe3SzwD36nIL1UuBL0v6DfBQvWFFRMRE0k/L4jXA/cBfUHQ//RI4pMaYIiJigulnNtSdPYen1RhLRERMUKMmC0m3s34tp/UKCdp+Us2xRUTEBDFWy2LbgUURERET2lhVZx8cui9pF4qyHwCXDNvAKCIiWq6fRXnHUuyaN738+rqkd9YdWERETBz9TJ09BtjH9l0Akk4ELgdOqTOwiIiYOPqZOivggZ7jBxh506KIiGipfloW84GfSDqXIkm8hnX7ZkdERAf0s87iE5IuYt2GRO+wvajesCIiYiLpp2UBxQru+ynKfNxfXzgRETER9TMb6kPAV4GnUeyj/R+SPlB3YBERMXH007J4I7CX7XsAJP0jsAT4aJ2BRUTExNHPbKj/Yf2kMhW4uZ5wIiJiIuqnZXEPsFTS+RS1oV4BXCrpkwC231djfBERMQH0kyy+V34N+UlNsURExATVz9TZlCWPiOi4fsYsIiKi42pNFpIOkrRM0nJJx43w+GaSvlY+vlDSjPL8PpKuKb+ulfTaOuOMiIix1ZYsJE0BTgYOBmYDh0uaPeyyo4Dbbe8EnAR8vDx/AzDH9h7AQcDnJfW7gDAiIsZZP4vy/lPSE3qOnyjpe2M9p7QPsNz2zbbXAGcBc4ddM5d1dabOAQ6UJNv32F5bnt+c9Xfsi4iIAeunZfEU23cMHdi+Hdiuj+dtD9zac7yiPDfiNWVyWA1sAyDp+ZKWAtdT1KNaS0RENKKfZPGQpB2GDiRN7/O1RypjPryFMOo1thfafi6wN/ABSZs/4htIx0haLGnxypUr+wwrIiIerX6SxYeByySdLul04BLgg308bwWwY8/xDsBto11TjklsDazqvcD2TcDdwC7Dv4HtU23PsT1n2rRpfYQUEREbojJZ2P4exfjDt4EFFLvmfb+P114EzJI0U9KmwLzy+b0WAEeW9w8FLrTt8jlTASQ9HXgWcEsf3zMiImow6gwjSbNs/0zSbuWpoXpQT5X0VNvXjfXCtteW+3efD0wBvmR7qaQTgMW2FwCnAfMlLadoUcwrn74/cJykByjKor/T9m839E1GRMTGGWs66nEUU1tPHuExAy+qenHb5wHnDTv34Z779wGHjfC8+RQ79EVExAQwarKwfVR5e8Bo10RERDdULnSTtBnwdoquIQM/Br5gOzvmRUR0RD+ros+g2Er1C+Xx4eW5eaM+IyIiWqWfZDHb9m49xz+QdG1dAUVExMTTzzqLayTtPXQgaS/givpCioiIiaaflsWewEJJQ1NnZ1LsnHc1YNt71hZdRERMCP0ki+HF/yIiomP62Snv55J2oZgNBfBj20vrDSsiIiaSfkqUHwucDUwvv86W9M66A4uIiImjn26oYyjqQd0FIOlE4HLglDoDi4iIiaOf2VACHug5foCRS4tHRERLjVVIcGq54dB84CeSzi0fei3rdreLiIgOGKsb6kpgT9ufkHQRcABFi+IdthcNJLqIiJgQxkoWD3c1lckhCSIioqPGShbTJL1vtAdtf7KGeCIiYgIaK1lMAR5HBrMjIjpvrGTxK9snDCySiIiYsMaaOpsWRUREAGMniwMHFkVERExooyYL26sGGUhERExc/azgjoiIjkuyiIiISkkWERFRKckiIiIq1ZosJB0kaZmk5ZKOG+HxzSR9rXx8oaQZ5fmXS1oi6fry9g/qjDMiIsZWW7KQNAU4GTgYmA0cLmn2sMuOAm63vRNwEvDx8vxvgUNs7wocSVH5NiIiGlJny2IfYLntm22vAc7ikft5z2VdufNzgAMlyfbVtm8rzy8FNpe0WY2xRkTEGOpMFtsDt/YcryjPjXhNuXfGamCbYde8Drja9v3Dv4GkYyQtlrR45cqV4xZ4RESsr85kMVK5ED+aayQ9l6Jr6u0jfQPbp9qeY3vOtGnTNjjQiIgYW53JYgWwY8/xDsBto10jaSqwNbCqPN4B+CbwZts/rzHOiIioUGeyWATMkjRT0qbAPGDBsGsWUAxgAxwKXGjbkp4AfA/4gO3LaowxIiL6UFuyKMcgjgXOB24Czra9VNIJkl5dXnYasI2k5cD7gKHptccCOwF/K+ma8uvJdcUaERFjG2s/i41m+zzgvGHnPtxz/z7gsBGe9w/AP9QZW0RE9C8ruCMiolKSRUREVEqyiIiISkkWERFRKckiIiIqJVlERESlJIuIiKiUZBEREZWSLCIiolKSRUREVEqyiIiISkkWERFRKckiIiIqJVlERESlJIuIiKiUZBEREZWSLCIiolKSRUREVEqyiIiISkkWERFRKckiIiIqJVlERESlJIuIiKiUZBEREZVqTRaSDpK0TNJySceN8Phmkr5WPr5Q0ozy/DaSLpJ0l6TP1BljRERUqy1ZSJoCnAwcDMwGDpc0e9hlRwG3294JOAn4eHn+PuBvgffXFV9ERPSvzpbFPsBy2zfbXgOcBcwdds1c4Izy/jnAgZJk+27bl1IkjYiIaFidyWJ74Nae4xXluRGvsb0WWA1s0+83kHSMpMWSFq9cuXIjw42IiNHUmSw0wjlvwDWjsn2q7Tm250ybNu1RBRcREf2rM1msAHbsOd4BuG20ayRNBbYGVtUYU0REbIA6k8UiYJakmZI2BeYBC4ZdswA4srx/KHCh7b5bFhERMRhT63ph22slHQucD0wBvmR7qaQTgMW2FwCnAfMlLadoUcwber6kW4CtgE0lvQZ4he0b64o3IiJGV1uyALB9HnDesHMf7rl/H3DYKM+dUWdsERHRv6zgjoiISkkWERFRqdZuqIiY2GYc972mQxgXt3zsVU2H0HppWURERKUki4iIqJRkERERlZIsIiKiUpJFRERUymyoaM2MGMismIi6pGURERGV0rKITkurKqI/aVlERESltCwiopPSqnx00rKIiIhKSRYREVEpySIiIiolWURERKUki4iIqJRkERERlZIsIiKiUpJFRERUSrKIiIhKSRYREVGp1mQh6SBJyyQtl3TcCI9vJulr5eMLJc3oeewD5fllkv6wzjgjImJstSULSVOAk4GDgdnA4ZJmD7vsKOB22zsBJwEfL587G5gHPBc4CDilfL2IiGhAnS2LfYDltm+2vQY4C5g77Jq5wBnl/XOAAyWpPH+W7ftt/wJYXr5eREQ0oM5ksT1wa8/xivLciNfYXgusBrbp87kRETEgdZYo1wjn3Oc1/TwXSccAx5SHd0la9qgiHLxtgd/W+Q308TpffaPU/t6h2+8/733Cmujv/+n9XFRnslgB7NhzvANw2yjXrJA0FdgaWNXnc7F9KnDqOMZcK0mLbc9pOo4mdPm9Q7fff5ffO7Tn/dfZDbUImCVppqRNKQasFwy7ZgFwZHn/UOBC2y7PzytnS80EZgFX1hhrRESMobaWhe21ko4FzgemAF+yvVTSCcBi2wuA04D5kpZTtCjmlc9dKuls4EZgLfAu2w/WFWtERIxNxQf5GARJx5RdZ53T5fcO3X7/XX7v0J73n2QRERGVUu4jIiIqJVlERESlOqfORgdJel8fl91t+/O1BxMD1fWfvaQ9+7jsAdvX1x5MDTJmUQNJw6cIj2SV7bfUHcugSfoV8FlGXlg55AjbOw8opIGS9G99XPZ72/+v9mAGLD973UmxZGCs9z/T9ozBRDS+0rKox3OAPx3jcVEUWWyj+bZPGOsCSVsOKpgGzAU+XHHNcUDrkgX52S+y/QdjXSDpwkEFM97SsqiBpD+xffbGXhOTj6S/sP2vG3tNxESTZBHjStKby7v32v56o8HEQHX9Zy9penn3Qdu/bDSYGqQbqgaSTqcofLja9nubjmfAZpa3dzUaRUMkDXVB3WX7k40GM3id/tmzbruF31GUL2qVtCxqIOnF5d01tq9oNJgYKElDtc7uTTdjtEmSRYyrqtlAtt8zqFgmAklb2r676TgGIT/7gqTHAn8JTLd9tKRZwLNsf7fh0DZKFuXVQNL1kq4b7avp+Gq2pPzaHNgT+Fn5tQfQmWKQkvaVdCNwU3m8u6RTGg6rbvnZF04H7gf2LY9XAP/QXDjjIy2LGkga2kzkXeXt/PL2COCequmFbSDpIuAVth8ojx8DXGD7pc1GNhiSFlL0Wy+w/bzy3A22d2k2svrlZ1/sXyHp6p6f/bW2d286to2RAe4a2P4fAEn72d6v56HjJF0GtD5ZANsBj6coPQ/wuPJcZ9i+tdhS/mFd+XTd9Z/9GklbUO7uKemZFC2NSS3Jol5bStrf9qUAkl4ItHlRUq+PAVeXnzIBXgwc31w4A3dr+fN2ufnXeyi7pDqg6z/7jwD/Cewo6SvAfsBbGo1oHKQbqkaS9gK+RLFdrIHVwNtsX9VoYAMi6anA88vDhbZ/3WQ8gyRpW+BTwMsoVuxfAPy57d81GtiAdPlnDyBpG+AFFD/7n9iuff/5uiVZDICkrSj+rVc3HUvdJD3b9k9HK6rWlUTZZSr63o4AnmH7hHKx2lNtd2JrZEkvGum87UsGHct4SrKokaSnACcC29k+WNJsYF/bpzUcWm0kfaGcLnjRCA+7qnZOW5R7x78bmEFPd6/tVzcV06BI+izwEPAHtp8j6YkUA9x7NxzaQEj6Ts/h5sA+wJLJ/n8/yaJGkr5PMY3uQ7Z3lzQVuNr2rg2HFjWTdC3FHvPXU/zhBMD2xY0FNSCSrrK9Z9tmA20oSTsCn7B9eNOxbIwMcNdrW9tnS/oAgO21klo9I0bSH4/1uO1vDCqWht1nu59y5W30gKQprJsNNI2ehNlBK4BJP2U6yaJed5cDXUO/NC+gGORus0PK2ycDLwSGSjK/FPgR0JVk8SlJH6EY2H542mRHxmz+Dfgm8GRJ/0ix3qSNJdlHJOnTlL/zFAuf9wCubS6i8ZFuqBqVg7yfpvhUcQMwDTjM9qT/j1NF0neBo23/qjx+GnCy7TFbHm0h6aPAm4Cfs+5TdZfGbJ4NHEgxG+iHtrsybbi3PhjAWuAW25c1Fc94SbKokaTNKBZiPYvil2YZsIntSb9Ap8rw1cqSNgGu68IKZgBJPwV2s72m6ViaUHZDPYX1B/f/t7mIBqN832fYfmPTsYy3dEPV6wrbewJLh05Iuoqibk7b/UjS+cBXKZrk84CRZki11bXAE4DfNB3IoEl6N8XCtP+j+LAkiv8DuzUZ1yDYflDSNEmbtu2DQpJFDcoFSdsDW0h6Huv25N0KeGxjgQ2Q7WMlvRYYmnN+qu1vNhnTgD0F+KmkRaw/ZtH6qbPAn1NUWe3EAsQR3AJcJmkB8HDF4cm+v0mSRT3+kGJ5/w5A73+QO4EPNhFQE8rk0KUE0esjTQfQoFtp/0SOsdxWfm1CUSML1g14T1oZs6iRpNfZPrfpOAZJ0i8ofjFW2n5+1fXRPpJOoxin+x7rt6om9Sfrfkk6bPi2siOdm2ySLGog6Y22z5T0l4zwiaIrvzRdVk6T/jTwHGBTYApwt+2tGg1sAMopw49g++8GHUsThhYlVp2bbNINVY+hyrKPazSKaNJnKAb1vw7MAd4MzGo0ogHpSlIYTtLBwCuB7YftGrgVxRTaSS3Joga2P1/edvKXJgq2l0uaYvtB4HRJlzcd0yBI2hl4P4+si9X2NSa3UewU+OrydsidwHsbiWgcpRuqRmWZg6N55C/N25qKKQZD0iUU5cm/CPwa+BXwli7URyrrYn2O4g/mw+VtbC8Z9UktIukxQ7sEtkmSRY3KT5I/5pG/NJ0a9O6icmvd/6MYr3gvxZ4mp9he3mhgAyBpie29mo5j0MpKywZW2T606XjGW5JFjSRdY3uPpuOYCCT9F/AARcmP7zYdT9RH0vEUixG/yfqzoVaN9pw2KD8gADxoe0WjwdQgyaJGkv4BuNz2eU3H0jRJ2wFPA15g++Sm46mbpP0othJ9Out3QT6jqZgGpZw+PZy78N7bLMmiRpLupJgZdT/Fp2pR/NK0fvpk15W1od7LI7sgu7qqOSa5zIaqke3HV1/VLm3vt30UVtv+ftNBNEXSLsBsip3iALD95eYiio2VlkWN2roX71ja3m/bL0kfo1iI9w06tp9FuSjvJRTJ4jzgYODSjn94mPSSLGrU1r14o1qX9yCXdD2wO8UWwruXe9F/0fYhFU9tJUlnAPdQTO64oel4NlS6oWo0/JdjaC/ehsIZiHKcZtRPIF0Zr7H90qZjaNC9th+StFbSVhQzo7o8uP0ZYDrFZlh/03AsGyzJYrBasRfvWIbGaSSdQLEYbT7FwP4RrKvA2VqS3lzevXeyF47bCIslPQH4AsUA/13Alc2G1Bzbi4BFwKReX5VuqBqNshfvLW3cRWs4SQuHV50d6Vzb9BTRuzMFI0HSDGAr29c1HErtJJ1O8fu+2vakL+8xXFoW9Vrcc38t8NU27MXbpwclHQGcRfELdDg9U0jbqsv1wMo950d9rAOD+/9e3rZqh7whaVlELcpPlJ8C9qNIFpcBf2H7luaiijqNMqg/pBOD+22WZFGDrDWI6K4RVu8PLcad1IP8SRY1yFqDVNztMkmbA+8E9qf40PRj4HO272s0sAFp6+r9JIuoRSrurk/SXODXthc2HUvdJJ1NsYfDmeWpw4En2j6suagGp60TOZIsohapuLs+SScCuwJTbR/cdDx1knTt8H07RjrXNj0D/H9CC1fvZzZU1OW7kl6ZirsF2x9sOoYBulrSC2z/BEDS8ykmOLTdvww7ntNz38CkHuBPyyJq0VNxdw1FxV3oQMXdnnpga4b+WHaNpJuAZwH/W56aDtwEPETxf2C3pmKLDZeWxQC1pUZMP7pYcbf01vL2DqCTyQI4qOkAmiRpa+AjwNAHh4uBE2yvbi6qjZeWxQBJ2pviU9Y+tidtjZh+SXo1635hfpQd8qILJJ0L3ACcUZ56E7C77T9uLqqNl2QRtShLdO8NfKU8dThFxd3jmotqcMpKqycC29k+WNJsYF/bpzUcWm3KHfIMrGzjbKB+jTS5ow0TPpIsatD2GjH9kHQdsIfth8rjKRQlqzvRXy3p+8DpwIfKMt1TKd7/rg2HFjWTdAXwV7YvLY/3A/7Z9r7NRrZxMmZRj38vb1tZI+ZReAKwqry/dZOBNGBb22dL+gCA7bWSWl8bKwD4M+CMcuwC4HbgyAbjGRdJFjWwffHQfUlbANNtL2swpCZ8lGIK5UUU5Q5eBHyg2ZAG6m5J21BWHZb0AmBSD3BGf2xfA+xe7uWB7d83HNK4SDdUjSQdAvwzsKntmZL2oJgV8eqGQxsISU+jGLcAuNL2r5uMZ5DKBVqfpti/5AZgGnBoF0p1d1Xb9zJJy6Jex1NspfojKD5xlNVYu2Jf1tUHmgJ8s9lwBsf2VZJeTLHeQMAy2w9UPC0mt5nl7Z2NRlGTJIt6rbW9WlLTcQycpFOAnYCvlqfeLulltt/VYFi1kzTa9MidJWH7GwMNaAIoF+lBsb7oM40GU6O272WSZFGvGyS9AZgiaRbwHuDyhmMalBcDu7js5ywXJF7fbEgDccgYj5miXlCn2H5OOX7zgqZjiQ2XMYsaSXos8CHgFRRdEecDf9+FUs2SvgG81/b/lMdPBz5m+/BmI4uIDZFkEbWQdDHF4PaV5am9gSsoyp3Q9kH+8pP0R1g3ZnMpxeSGSb2nwViyKK/dkixqJGkO8EEeuQFQ6xemlYO7o+qdXtxGkn4AXMK6PR2OAF5i+2XNRRVNaMteJkkWNZK0DPgrir76h4bOD3XNtJmkLSmmED4kaWfg2cD3uzIjSNIS23sNO7fY9pzRntMWkubbflPVua5oy14mGeCu10rbC5oOoiGXAAdIeiLwQ2Ax8HqKT9hdcJGkecDZ5fGhwPcajGeQntt7UJZ62WuUa1uvLXuZpGVRI0kHUhTQ+yHr75jV+hkxkq6yvaekdwNb2P5EG4qpVSn38TDFhIYtWbel7BTgrjbv51GWNvkgsAXl2BTFv8Ma4FTbrV7B3/a9TNKyqNdbKbpfHsO6bqiuTJ+UpH0pWhJHleemNBjPQHR4Hw9sfxT4qKSPtj0xjKLVe5kkWdRr9w5XGf0LilpQ37S9VNIzgIsajql2kp5t+6c9+zGvZ7Lvw9ynKyVtPbTZj6QnUAzuf6vhuGpl+63VV01e6YaqkaQvACfZvrHpWJoiaUvbdzcdx6BI+oLto8sCisPZ9qTeh7kfo+zncLXt5zUV0yBJ2gx4HY+cBXlCUzGNh7Qs6rU/cGQ5//x+iv7bTuxBXHZBnQY8DpguaXfg7bbf2Wxk9bLGa+W1AAAPx0lEQVR9dHn70qZjadAmI5zr0t+ab1NUGF5Cz1jlZJeWRY3KVcuP0JGpswspZgAtGPpEKekG27s0G1m9xqgNBXRmcsOXKPrtT6YYo3s38ETbb2kyrkFp6//zLmX7gZG0VVnDvpXVJ/tl+9ZhRRS7sPnPUG2oJwMvBC4sj19KUX249cmCIjn8LfC18vgC4P81F87AXS5pV9utqoWWZFGP/wD+iKIZOjSNcoiBZzQR1IDdKumFgCVtSlFE8aaK50x6Q4Ockr4LzLb9q/L4aRSftFuvHKM6TtLjbN/VdDyDIul6it/vqcBbJd1Mi7qf0w0VtZC0LfAp4GUUvywXAH/e5tpIvYZ3RUjaBLiujd0Tw5UfEr4IPM52Z8arRut2HjLZu5/TsqiRpB/aPrDqXNuUK3bfZLsrq7VH8iNJ51Ps52FgHh2YOlw6CfhDYAGA7Wt7Fqy11vBkIOnJwOYNhTPuRpq1EBtJ0uaSngRsK+mJkp5Ufs0Atms2uvrZfhCY23QcTbJ9LPB5YHdgD4oVzO9uNqrBsX3rsFNdGK8CQNKrJf0M+AVwMXAL8P1GgxoHaVnU4+0Ui9K2oxi3GBqz+D0d6bcGLpP0GYpBzofXWXRkURrw8MynLgxoD9fJ8aoef0+x0dN/2X6epJdSlP2Z1DJmUSNJ77b96abjaEKXF6XBejWiADalKPlyd5trQw3JeFVRXVjStcDzysrLV9rep+nYNkZaFjXo6Z9d1GggDer4orRH1IiS9BpgUv+x6EfGqwC4Q9LjgB8DX5H0G2BtwzFttLQsaiDp9PLuHbbf22gwAybpzeXde21/vdFgJhhJP7Hd+n2oJf3I9kuajqMpQ3u5UIwJHwFsDXxlsres0rKoQdsLilWYWd52ekHisJXcmwBzWNct1XadHq+yfXc5jXaW7TMkPZYWVFxOyyKiBj2tSyi6IG4BvmD7N81ENDgZr9LRwDHAk2w/U9Is4HOTfcp8kkVEjJty8eGhts+uvLilJF1DMT61sKcu2vWTfbuCdENF1EDS5hSbPj2XnoVZtt/WWFADUM78OZZ128l20f221wzVRZM0lRZ0QWZR3gBJmiNp+6bjiIGYDzyVYiXzxcAOdGcc5weS3i9px54FqU9qOqgBuljSB4EtJL0c+DrwnYZj2mjphhogSWcAuwH/bfv1TcczSJLmAr+2vbDpWAZhaLMfSdfZ3k3SY4Dzu9BvX+7fMpxtd6GA5lBX3FHAKyjWmZwPfNGT/I9tuqEGyPaRAJK6uE/z84FdJU21fXDTwQzAA+XtHZJ2AX5NsXNa69meWX1Vq70SOM32F5oOZDylZVEDSdPLuw/a/mWjwUQjJP0pcC5FS/J0ih0DP2z7c40GNgBlK+rPgKHFqT8CPm/7gVGf1CKSzgT2pfj5n267FaVOkixq0DN18He2D200mAHrWb2+xvZPGg0mGiHpixTlTc4oT72J4oPTnzYX1WBJ2oqiHtRbKQa3Twe+anvSjlslWdSk7Ld8ge3Lm45lkLq8er2XpM2A11F0PT3c3Wv7hKZiGhRJ19revepc25U1st5IUVT0JmAn4N8ma724jFnUpJxC+C8UzdHO6NkpbrPhj0l6ku1Vg4+qEd8GVlNUHb6/4VgG7UFJz7T9cwBJz6BbJcoPAd4GPJNiVtw+tn9TruS+CUiyiEe4QNLrgG9M9pkQG+Abkl4z1E9dbiv6XWCvZsMamB1sH9R0EA35K+CicltRAU+n6I7pisOAk2xf0nvS9j2SJu06m3RD1agsU70lRbmH+1i3F28XylQfDbyKoitmR4pd095v+4JGAxsQSacCn7Z9fdOxNKFsWT6L4v/8T213rXXVOkkWURtJ7wIOoui3f3uXxm8k3UjRR/0Lim6ooQ8KuzUa2ACUP/ev2L6jPH4icLjtU5qNrF7l+hIDK20/v+l4xluSRY1G23d4ePO0TSS9r/eQYibM9cDVALY/2URcg1ZWHX2E4fs0t5Gka2zvMezc1UN1kmJyyphFvf6q5/7mFMXFlgBtXsU7fMHhN0c530qStrL9e7pT2mMkm0jS0DhduSHSpg3HFBspLYsBkrQj8Anbk34/3hiZpO/a/qOeLgn1PNyJkheS/omi6/FzFP8G7wButf2XTcZVN0lX2d5zY6+ZqJIsBkhFGcrrJnup4n5I2hl4P49cZ9DmVlXw8BqjY1h/D+4v2m719FlJ9wI/G+sSYGvb08e4ZsJKsqiRpE+zrjTxJsAewC2239hcVINRblb/OYput4f/SNhe0lhQA5BSL9012jjVMA/aXlF7MDVIsqiRpCN7DtdSJIrLmopnkCQtsd2VNRUP63ipl4soPhyt6tp774Iki5pJ2hTYuTxc1qFiascDv6EY4H54jn2HVnB3Ts8n60n76TlGl2RRI0kvoSimdgtFf+WOwJFtnjo7pOt7GkS0TZJFjSQtAd5ge1l5vDNF5cnOdc9ExOSWdRb1esxQogCw/d9lrf9OKDf9mc36e1B/ubmIImJDpWVRI0lfohjwm1+eOgKYOlSZtc0kfQR4CUWyOA84GLi0qwOfZSHFVamRFJNVkkWNymJq7wL2pxizuAQ4pQt/MCRdD+wOXG17d0lPoZhrf0jDoTVC0n9RlKw+1/b7m45nkMq95+8BTrZ9Q9PxxIZJsqiRpD8CzrP9UNOxDJqkK23vU47bvJSi/MUNtp/bcGiNKRdlzra9tOlYBknS3sB0in0d/qbpeGLDbNJ0AC03D/iZpE9Iek7TwQzYYklPAL5AsTDvKuDKZkNqlgudShQAthfZPjeJYnJLy6JmbdyL99GSNAPYyvZ1DYdSu7aXqR5LuaWugdVd3lK3rZIsBqBte/H2S9L2FLuk9daGav0ak66S9OLy7hrbVzQaTIy7JIsajbAX7xm9e/Ha7qeWzKQk6ePA64EbWVcbyrZf3VxUgyNpP+Aa23dLeiOwJ/CpLuxnASBpC2B679TxmNySLGok6csUM4Ae8Wla0oG2f9hAWAMhaRmwWxdmfo1E0nUUs8F2o/igcBrwx7ZfPOYTW6D8kPTPwKa2Z0raAzihKx8U2ioD3DWy/ebRul3anChKNwOdWYA4grXl5j9zKVoUn6IjG0ABx1Ns9HUHgO1rKErVxySWFdw16Pgg51BZ9nuAayT9kPULCb6nqdgG7E5JH6DYVvaAcre4riTPtbZXFzOFoy2SLGpge2bTMTRocXm7BFgw7LEu9Xm+HngD8Dbbvy73ufinhmMalBskvQGYImkW8B7g8oZjio2UMYuohaQ/L7texjzXZmXJ7lm2/6uc1DClC1Omy/f6IeAV5akLgL+3fV9zUcXGSrKoQdv34u3HSO9P0tW2n9dUTIMk6WiKrUWfZPuZ5Sfsz9k+sOHQaidphu1bhp3b2/aihkKKcZBuqHo8p5wNMxoBWw8qmEGSdDhF98tMSb3dUI8HftdMVI14F8Ug70IA2z+T9ORmQxqYb0g6ZGhbWUkvAk4GWr/3fJslWdTj2X1c09bN6y8HfgVsC/xLz/k7gdav4O5xv+01Q4O8kqbSnTGbtwPfKqfQ7gmcCLyy2ZBiY6UbKqIGkj5BMXX0zcC7gXcCN9r+UKOBDYikfYHPA/cBr7K9suGQYiMlWcS46vK04V6SNgGOohjkFXA+xQLN1v7CSfoO67eeZlO0Mm8HyKK8yS3JIqIGXSxP31MbakS2Lx5ULDH+kiwiaiDpTGBf4FzgdNs3NRxSxEZJuY8YV5KuGo9rJjvbbwSeB/wcOF3SFZKOkdT6kh+SXiBpkaS7JK2R9KCk3zcdV2yctCxiXEm6F/jZWJcAW9uePqCQGtXF8vSSFlNs/PV1YA7FIP8s2x9sNLDYKJk6G+Oty9OGHzZCefp9esvTA61NFgC2l0uaYvtBipZVyn1MckkWMa66sl9DHw4DThpeddj2PZLe1lBMg3KPpE0pCkl+gmJG1JYNxxQbKd1QETGuyppYv6GosvteimoFp9he3mhgsVGSLCLGUdaZRFslWUTEuJB0tu0/kXQ9jyxtYmAV8K+2vz346GJjJVlExLiQ9DTbvyq7oUayLfAV2/1MgogJJskiYhylPP3YJO1le0nTccSjl2QRMY66vM4k4zXtlmQRMY7G6ILp9aDtFbUHEzGOkiwiIqJSakNFxLhIXbB2S8siIsZFl8druiDlPiJivKQuWIulZREREZUyZhEREZWSLCIiolKSRUwakraRdE359WtJv+w53rTp+IaTtELSE/q89h8lvbTPa1/Z877vkrSsvH/6BsS4qaSLHu3zonsyZhGTkqTjgbts/3PTsQBImmp77bBzK4BdbN9R4/e9FDjW9jV1fY8ISMsiWkLSX0u6ofx6d3luJ0lLJc2XdL2ksyVtMex520laWN7fS5IlbVce/0LS5pJmSrpI0nWSfiBph/LxMyX9S/nJ/ERJ08rHr5L0WYqpokh6vKTvS7q2jO/QEeI/U9JryvsrJB0v6erye+78KP4dHtvzfpdI2r88/w5J50q6QNJ/S/pAeX5zSb/tef7fljFeK+nvHs3PINotySImPUn7AEcA+wD7Au+UtFv58GzgZNu7AvcBb+99ru3bgK0lbQkcACwGDpD0TGCF7fuAU4Av2t6NYl/pf+15iWcCB9r+a+DvgIvKIoH/CWxXXvNK4Bbbu9veBfhBH2/r/2w/D/gi8L5H8c/xXooW167AW4H5kh5TPrY38CfAnsBbJO3a+0RJrwUOBObY3h341KP4vtFySRbRBgcA59q+x/adwLeA/cvHfmH7J+X9M3vO97oCeGH5OicCLyrv/7h8/PnAWeX9L5ePDfm67YfK+y8qvwflng13luevAw6S9DFJ+9le3cd7+kZ5uwSY0cf1Q/an2PMb29cBvwVmlo/9p+07bN8FfBvYb9hzXwacViZIbK96FN83Wi7JItpAYzw20iY8w/2Y4g/99sB3gOdR/NG9ZIRrh7u76vVt3wTMAZYC/yTpg3287v3l7YM8usWzG/NvoRHORQBJFtEOlwCvlbSFpMcBc1nXKpgpae/y/uHApaM8/0jgp+Ug9Z3AK4DLy8d/QtF9A/BGRk8il1B0hyHpEODx5f3tKbqG5gOfpOgGqktvDLtQbDh0c/nYQZKGutwOAS4b9twLgD+VtHn5/CfVGGdMMkkWMenZvhL4KrCI4g/7Z21fXz68FDha0nXAlsCpIzx/OcWn96EkcBnwW9u/L4+PBY4pX+P1FOMCI/kI8LKyWN5LgF+W53cHFkm6Bvhriq6uuvwrxRjM9RRdZm/qmaV1KUV32tXAl23f0PtE298CLgSuKmN9d41xxiSTqbPRWpJ2As6xvUfTsTRN0juAnWy/v+lYYnJKyyIiIiqlZREREZXSsoiIiEpJFhERUSnJIiIiKiVZREREpSSLiIiolGQRERGV/j+0ZJGLNrYhdAAAAABJRU5ErkJggg==\n",
"text/plain": [
"<Figure size 432x288 with 1 Axes>"
]
},
"metadata": {
"needs_background": "light"
},
"output_type": "display_data"
}
],
"source": [
"alltopics_wordscut = [list1[:3] for list1 in alltopics_top_words]\n",
"x = range(len(lda.components_))\n",
"my_xticks = alltopics_wordscut\n",
"plt.xticks(x, my_xticks, rotation = 90)\n",
"plt.bar(x,topic_polarity)\n",
"plt.xlabel(\"Top words in Topic\")\n",
"plt.ylabel(\"Topic polarity\")"
]
},
{
"cell_type": "markdown",
"metadata": {},
"source": [
"### Prevalence of topics over time"
]
},
{
"cell_type": "code",
"execution_count": 547,
"metadata": {},
"outputs": [],
"source": [
"most_probable_topic = np.argmax(proportions, 1) #calculate the most probable topic"
]
},
{
"cell_type": "code",
"execution_count": 548,
"metadata": {},
"outputs": [],
"source": [
"sorted_unique_months = np.sort(np.unique(debates['Date']))\n",
"raw_counts = np.zeros((proportions.shape[1], len(sorted_unique_months)))\n",
"for month_idx, month in enumerate(sorted_unique_months):\n",
" for topic_idx in range(proportions.shape[1]):\n",
" indices = np.where(debates['Date'] == month)[0]\n",
" raw_counts[topic_idx, month_idx] = ((most_probable_topic[indices] == topic_idx)).sum()\n",
" \n",
"total_counts_per_month = raw_counts.sum(axis=0) #add up the months"
]
},
{
"cell_type": "code",
"execution_count": 549,
"metadata": {},
"outputs": [
{
"data": {
"text/plain": [
"array([287., 666., 214., 356., 327., 156., 352., 197., 290., 198., 269.,\n",
" 148., 254., 102., 257., 412., 372., 187., 171., 155., 341.])"
]
},
"execution_count": 549,
"metadata": {},
"output_type": "execute_result"
}
],
"source": [
"total_counts_per_month"
]
},
{
"cell_type": "code",
"execution_count": 550,
"metadata": {},
"outputs": [
{
"data": {
"text/plain": [
"Text(0, 0.5, 'Prevalence of topic')"
]
},
"execution_count": 550,
"metadata": {},
"output_type": "execute_result"
},
{
"data": {
"image/png": "iVBORw0KGgoAAAANSUhEUgAAAhgAAAEWCAYAAAAkZu79AAAABHNCSVQICAgIfAhkiAAAAAlwSFlzAAALEgAACxIB0t1+/AAAADl0RVh0U29mdHdhcmUAbWF0cGxvdGxpYiB2ZXJzaW9uIDMuMC4yLCBodHRwOi8vbWF0cGxvdGxpYi5vcmcvOIA7rQAAIABJREFUeJzs3XlYlOX6B/DvMzPsM+z7jsAAMyAiiitumUu5ZGZuR8tTmUu2mHXarJN1bNN+RouaW8esNJdj7oXlbqmggsgmKAqyCci+zszz+2MYQmVg0JkB9P5cF5e+877v894gMjfPdjPOOQghhBBC9EnQ0QEQQggh5P5DCQYhhBBC9I4SDEIIIYToHSUYhBBCCNE7SjAIIYQQoneUYBBCCCFE7yjBIIQQQojeUYJBCCGEEL2jBIMQQggheifq6ADay9HRkfv6+nZ0GIQQ0qXEx8cXcc6dOjoO8uDocgmGr68v4uLiOjoMQgjpUhhjVzs6BvJgoSESQgghhOgdJRiEEEII0TtKMAghhBCid5RgEEIIIUTvKMEghBBCiN5RgkEIIYQQvaMEgxDyQFOpeEeHQMh9iRIMQkiHuF5aA8479s39+KUiBC8+gC8OXoJCqerQWAi531CCQQgxuozCCgz85A/8mVncoXHEXS1BvVKF/zuYjomr/kTmjcoOjYeQ+wklGIQQo0vMKQPn6l6MjnS1uBoethb4aloErhZX4dGYY/jvySwaNiFEDyjBIIQYXXqBuqegsk7RoXFkFVfBx8ESY7q747eXB6FfNwe8t+siZq4/jdwOTn4I6eoowSCEGF1GYQUAoKK2YxOMa8XV8HGwAgA4W5tj/dO9sXRCGM5eu4mRK45i57nrHT5PhJCuihIMQojRaXowKmobjPZMhVKF705cQVFlHQCgvLYBxVX18HWwbLqGMYZpfbyx/6VoBLlI8PKW85j/41mUVNUbLU5C7heUYBBCjKqmXonsm9UAjDtEcuF6Gf69OxnjvzqB1PxyXCtWx6DpwWjOx8EKW57vh3+NCkZscgFGrjiKP1ILjBYrIfcDSjAIIUaVeaMSmlGHciMOkZRWq3tLiqvqMPGbk/j+T3X1cl9HyxavFwoY5g7xxy/zB8LByhT//C4Ob+5IRFUHzxshpKugBIMQYlTpBer5F2IzkVHnYJTVqBOM9U/1hp+TFbbEZQMAvO1bTjA0ZO7W+OWFAZgz2B+bz2Rj9BfHcCarxODxEtLVUYJB2o0mvZG2rD9+Be/svNDiuUuFlTARMsjcrVFpxDkYmgRD6irB1uf7Y3wPdwwIcIClqajNe81EQrwxOhg/P98PAPDk6j/x0f4U1CmUBo2ZkK6MEgzSLquPZKLnB7E4mVHU0aGQTqq2QYmYPy5h34X8Fs9fKqiAn6MV7C1NO6QHw8bCBBamQnwxJQI/PNu3XW309rXHvpeiMaW3N1YfuYzxX51Acm65IcIlpMujBIPohHOOpftS8NH+VNQ2qPD8pvimrm5CmjuQlI/S6gbcrK5vcfvt9IJKBLpIIDYXGXWSZ1lNAyxNhTAR3tuPPbGZCB89Hob1T/dCUWU9xn99HN8czoCSNuci5BaUYJA2KZQqLNqaiG+PXsaMvj747ZVBMDcRYtaGMyisqO3o8Egn8+PpawAAzoGb1bcOgWhWkAQ6iyExN/4cDFsLE721NyzYBb+9MggPy1zw6YE0PLn6T1wtrtJb+4R0dZRgkFbVNigxZ1M8tp/NwcvDA7FkvBxe9pZY/1RvlFTV45nv4jrNrPrfUwrw0b4UHL9URGPjHSSjsAKnr5Sgu6cNADTtOaGhWUEidZFAYm6CyjqF0X7zL61ugLUeEwwAsLcyxdfTeuKLKT1wqaACo784hh9PXaN5SoSAEgzSirKaBsxcdxq/pxZiyXg5Xh4uBWMMABDmaYOvpkXgYm4ZXvzpXIdXoqxtUOJf2xOx+uhl/GPdKUQsicWz/43Dpr+uIqdxzwVieD+dzoaJkGHOYH8AQHHlrRtUaYbVpC5iSMzUkyur6o2ToJbXNMBGzwkGoN6ca3wPD/z6yiD09LbDW/+7gFnfnUFhOfXukQdb29OnyQOpsKIWT60/g4zCCnwxJQLjwt3vuOahEBe8P06Oxb9cxPu7k7FkvLwpATG2bfE5KKqsx/qne0GlAg6nF+JQ6g0cTFFvjhToLMaQICcMDXJGL197mIoot9a32gYltp/NwQiZK6QuEgDqPSea06wg8XGwgsT8JgD1duHW5vp/479dWU0DfBxaX5J6L9xsLLDxn1H4/q+r+Gh/CkasOIoPHwvFmO53/t8h5EFACQa5w9XiKsxYdxo3Kuqw7qneGCR10nrtjH6+yL5Zg2+PXoaXvQVmD/I3YqRqShXHmmOXEe5li6FBzmCMYbjMBZxzZN6oxOG0GziUVojvTmZhzbErsDIVon+AI4YGOWNIkBPcbS2MHnNH4JwjNrkA353MwvOD/TG4lX/Xu6GZ3Dk1yhuOYlMAQNFtPRiaFSQmQgEkjUlFpZHmYZQZqAejOYGA4an+vhgY6IiFPyfghR/PITa5AEvGhcLG0vBJFCGdCSUY5BbJueWYuf40FCoVfnyuDyK87dq8541Rwbh+swZL96XCw9YSj3Z3M0Kkf9uflIerxdV4c3TwLT0ojDEEOEsQ4CzBs9HdUFWnwMnMYhxKK8SRtBuITVb3bkhdxBga5IzBQU7o5XP/9W5wznH0UhGW/5aGxJwyAICzxEzvCcaPp6/Bx8ES/f0dwBggEjAU3zYHI72gEmGN8zMk5uofP8aqR2KMBEPD30mM7XP64ZvDmYj5/RJOXS7BZ5O6IzpQv19zQjozSjBIk9NXSvDMf89AbCbCT8/1Q2BjN3dbBAKG5U+GI7+8Fq/8fB6uNmaI9LE3cLRqnHOsOpKJbo5WeFjm2uq1VmYiPCxzwcONvRsZhZU4lFaIw2k3sP7EFaw+ehliMxEGBDhgSGPvhptN1+7dOHW5GMt/S8fprBJ42Frg04nd8VtyPhIaEw19ySisxOkrJfjXqGAIBOokz0FsesscDM0Kksd7egAAxE0JhuF7MOoUStQ0KI2WYACASCjAiw8FYmiQM175+TxmrDuNmf188MboYJ029yKkq6PvcgIAOJhcgPk/noWHnQW+f6YPPNo5bGBuIsSamb3w+Dcn8Ox/47Bj3gD4Od5ZRErfTmQUI+l6OT5+PAxCge7zPxhjCHSRINBFgtmD/FFZp8CJjCIcTruBI2mF+PWiuncj2FWCwY1zNyJ97O55DwVjScguxbLf0nDsUhGcJGZYMl6Oyb29YCYSoqiqDgdTClFaXQ9bS1O9PO+n09dgImSY1Muz6TUHK7Nb5mA0X0ECANaaBMMIq5A0m2zZdsAwRZinDfYsGIjPfk3DuuNXcOxSEZY/GY6eOvQOEtKVUYJBsDUuG2/suAC5uzU2PN0bDmKzu2rH3soU382KwoRvTmDWhtPYMW8A7K308wamzaojmXCWmGFC42/Fd0tsJsJIuStGyl3BOUd6QSUON/ZurDt2BauPXIbETIQBAY4YGuyEwVJnuNqY6+mz0J+UvHJ8HpuO2OQC2Fma4K1HgjGjry8sTIVN1/TwtAUAJOSU6WWYpPnkTsdm3zsOYlPcaNaDcanw7xUkAJrmYBhjiKS8McHQ9zJVXZmbCLF4jAwPhTjjta2JeGLlScwfGoAFwwLvuyE5QjQowXjAfXs0E0v3pWJAgANWz+gFsdm9fUv4Olph7VO9MHXNKTz73zP48bm+MDcRtn3jXbiQU4bjGUV4Y3QwzET6ewZjDEGuEgS5SvD8YH9U1DbgREZxU8Jx4KJ6C+wQN2sMCXLCEKkTenZw70bmjUqsOHgJexJzITYT4dWHpZg10K/Ff88wTxswpu7l0EeC0XxyZ3OOYjNcKfp746n0gr9XkABois0YQyTNtwnvSP39HbH/5Wgs2Z2ML//IwKG0Qnz+ZI+mXh1C7icPTILRoFRByFjT+PCDjnOOjw+kYvWRy3gkzBX/N7mH3t6kI33ssWJyD8z/8SwW/nweX03taZCv+6qjmZCYiTCtj3fbF98DibkJRoW6YlSouncjraACh1Jv4HBaIdYcvYyVhzMhMRchOtARQ6TqyaIu1sbp3cguqUbM75ew/WwOzERCzB3sj9mDurU69CExN0GAkxjns0v1EkPzyZ3NOd42B6P5ChIAsDQVQihgRllF0lkSDACwNjfBsknheFjmgrd2XMCYL4/j9ZFB+OcAP/r5RO4rD0yCseNsDlYcvIRHwtwwprsbenjZdtieDR1NoVThrf9dwM9xOZjexxtLxoe2a/6CLh4Jc8Nbo0Pwn30p+NguFW89EqLX9q8UVWH/hTzMHuRvlD0UNBhjCHa1RrCrNeYO8Ud5bQNOXFLP3TicXthU4EvW2LsxNNgZEV62EOm5d6OgvBZf/nEJW85kgzGGWQP8MHeI/y1DFK0J97LFodRCcM7v6f9BS5M7NRzEZqhpUKK6XgFLUxEuFVYi1MOm6TxjrLFku+GHSDpTgqExUu6KSB87vLnjAj7cm4LY5AIsmxQOrzbKxxPSVTwwCYaXnSXk7tb4/s+rWHf8CjztLPBodzeMCXNHqIf1A5Ns1DYo8eJP5/BbcgFeHBaAVx6WGuxzfzbaD9dKqtV7ZNhZYEY/33tu83ppDTYcv4LNZ7JhKhLgnwPuvc17YW1ugtFhbhgd5gbOOVLyKnA4XT2UsvroZXxzOBMOVqb4/pk+kLlb3/PziivrsOpIJjb+eRVKFcfk3l54YVhAu1e79PCyxbb4HOTcrLmnN7SWJndqODTOvymurAcTM1wrqcaEiFvnyojNRMaZ5Fnd+RIMQD2M9O2MSGyLz8H7u5Mx+otjeHesDJMiPR+Yn0nk/vXAJBj9AxzRP8ARZTUNiE0uwJ7E3KbJe74O6r0bxnR3R7Cr5L79j11e24Dn/huHU1dK8N5YGWYN8DPo8xhjeG+sDLmlNXhv10W42VhguMzlrtpKzCnFmmNXsO9CHgB1D8ncwf5wNtJQhC4YY5C5W0Pmbo15QwJQVtOAExlFWLwzCe/+koStc/rd9fdWWU0D1hy9jPUnrqC2QYkJEZ546aFAeN/lzpQ9vNQTPc9nl951gqFtcqeG5rWiyjqU1TTcsoJEw1gFz8pq1M/oqEmerWGMYVIvL/Tt5oBFWxPw+rZExCYX4KPHw3TukSKkMzJogsEYGwXgCwBCAGs55x/fdt4bwH8B2DZe8wbnfJ8hY7KxMMETkZ54ItITN6vq8evFfOxJzMPKw5n4+lAm/J2sMKa7O8aGuyHA+f6ZeHWjog5PrT+N9IIKfDGlB8b3uLdVF7oSCQX4cloEJq/+Cwt+Ooctz/dF98ZVDG1RqTgOphRg7bErOJ1VArGZCP8c4IunB/i1exltR7CxMMEjYW4oq2nAmzsuYFdCbru/7lV1Cmw4cQXfHr2M8loFHu3uhleGB97z92aQqwSmIgESsksxtoVt4HXx68WWJ3dqOIj/7sGoqFP3IGhWkGhYm5sYZYiktKYeYjNRp15m7GVviZ+e64v1J67g01/TMPL/jmLp42EYKW99fxdCOiuDJRiMMSGArwE8DCAHwBnG2C7OeXKzy94B8DPnfCVjTAZgHwBfQ8V0OzsrU0yJ8saUKG8UVdZhf1I+9ibmIuaPS/ji90sIdpXg0TA3jAl3N8qeDoaSXVKNGetOIb+8Fmue6oWhQc5Gfb6lqQjrnu6FCV+fxD+/i8PO+f3haaf9t+aaeiW2nc3B+uNXcKWoCh62Fnjn0RBM7u3VtLSxK3mylxc2/XUVH+1LxcMyF502WaptUGLTX1ex8nAmiqvqMTzEGa88LIXc3abNe3VhIhQg1N36niZ6/nCq5cmdGg7NejCullTfsoJEQ2wuQmGF4YuCGXMXz3shEDA8G90Ng6ROeGXLeTz/fTwm9vTEe+NkRp1rRIg+GLIHIwpABuf8MgAwxjYDGA+geYLBAWgGpm0A5BownlY5is0wo68PZvT1QWF5LfZdyMOexDwsj03H8th0yN2tMaa7O8Z0d+tSk7BS88sxc91p1ClU+OHZvoj06ZjNfZwl5tgwqzcmrjyJWRvOYNvc/nf8wC+sqMXGk1ex6dRVlFY3INzTBl9OjcDoUFe9T5I0JqGA4d/j5Ji06k+sPJyJV0cEab22XqHClrhsfPXHJRSU12FggCMWjpAaZFOmHl52+PH0VTQoVe3+zb61yZ0aTXMwqurvWEGiITEXIfOG4YdIymv0X6rdkKQuEvxv3gB89cclfH04E39dLsZnk7qjv79jR4dGiM4MmWB4AMhudpwDoM9t1/wbwG+MsQUArAAMb6khxthsALMBwNvbsEsSAcDZ2hxPD/DD0wP8kFtag30X8rA7MQ+fHEjFJwdSEe5li7Hd3fBImFunLpR1JqsEz3x3BhamQmyd06/D19pLXSRYPSMST60/jTnfx+O//4yCqUiA1PxyrD12BbvO56JBpcLDIS54blA39PKxu2/mw/T2tce4cHesPnoZT/byuiNJVShV+N+56/ji90vIuVmDSB87rJgcgX5aegf0IdzLButPqJBeUNHunpHNrUzu1DA3EUJiJkJRZZ16BUkLzzDeHIwG2Fh0rSlnpiIBFo4IwtBgZyz8OQHT1pzCfyaEYnofn44OjRCdGPJ/XEvvDPy246kAvuOcL2eM9QPwPWMslHOuuuUmzr8F8C0A9OrV6/Y2DMrd1gLPRnfDs9HdkF1SjT2Jedh7IRcf7k3Bh3tT0MvHDmMak43ONOHwj9QCzN10Fu626hLSnaXXpb+/Iz6Z2B0Lf07A/B/PorZBiWOXimBuIsDk3l7450C/Lj0c1Zo3HwlGbHIB/rM3BatmRAJQzzPZeyEP/3cwHZdvVCHUwxofPBaKIVIngydXzSd66pJglFU34Fz2TZy9VootcdlaJ3c25yA2Rc7NmhZXkACA2MzEaPtgdNXvqwhvO+x9cSCW/5aOQVQsjXQhhkwwcgB4NTv2xJ1DIM8AGAUAnPM/GWPmABwBFBowrrvmZW+JuUP8MXeIP64UVWFvYi72JObh37uT8f6eZET52mNMuDtGh7b9g9eQdpzNwWvbEhHiJsF3s6I63Uz0x3t6IudmDT6PTYeTxAyvjQzCtChv2Bl4W/GO5mZjgXlD/LE8Nh0nM4pQVa/E8t/SkJpfAamLGKv+EYmRchej9dp421vCztIECdmld/xWrFKpS93HX72Js9fUSUVGYSUAQMAAmbs1XnwosM1nOIjNEJdV0uIKEkDdg1GvVKG2QWmwHV+BrjMHQxtLUxEWj5F1dBiEtIshE4wzAAIZY34ArgOYAmDabddcA/AQgO8YYyEAzAHcMGBMeuPnaIUXhgXihWGByCiswO6EPOxJzMXinUl475ck9Pd3xJjubhgV6qq3glK6WHvsMj7cm4L+/g5YPSOy006KXDAsAEOCnBDkKtHrNt+d3XODumFLXDae3nAG9UoVfBwssWJyD4wNd9f7ZmdtYYwh3MsWCdllKK9twPlrpU3JxPlrN1He2LNga2mCnt52eKyHO3p62yHcyxZWOm4p72Blivir6lUigc7iO85rCp5V1ikMmmCUVjcY9f8hIcSACQbnXMEYewHAr1AvQV3POb/IGFsCII5zvgvAqwDWMMZegXr45GnOuVGHQPQhwFmCVx6W4OXhgUjNr8Cexp6NN3ZcwDs7kzAw0BFjurtjhNzFYDPBOedY9lsavj6UiVFyV6yY0sOgP7DvFWNM5+Wq9xNzEyGWTgjDp7+m4h99fDAx0rNDl06Ge9ricNolhL//GzgHGAOCXCR4tLs7enrbItLHDn6OVnfdq6JZSWIiZPBtYYiiecl2Q/W01TYoUadQdekeDEK6IoPOemrc02Lfba+92+zvyQAGGDIGY2KMIcTNGiFu1lg0IggXc8uxOzEXexLysGhrAkx3CDBIqk42hstc7rmwmIZSxfHOziT8dPoapkZ54cPH2le6nBjXIKkTBumhyJg+PBbhgYwblZA6SxDpY4dwLxu99no5Ne6F0dIKEgCQmBm+ompHV1Il5EHVtaZVdyGMMYR62CDUwwZvjArG+exS9QTRxDwcTCmEmUiAoUHOGBPuhmHBzjrtjdCSOoUSL28+j/1J+Zg/1B+LRgTdNysviOH5OVrh62k9Dda+pgcjUMvGYBLNEIkBJ3p2xjokhDwIKMEwAsYYIrztEOFth7cfCUH8tZvYk5CLfUn5OHAxHxYmQjwU4owx3d0xJMhJ56GNyjoFZm+Mw8nMYiweI8MzAw279Tch7aXZzTPQ5c75F8DfQyTllGAQct+hBMPIBAKG3r726O1rj3fHynH6Sgn2JOZif5J6y3KxmQjDG5ONaKmj1gmQRZV1mLXhDJLzyvH5k+F4vKf2/QgI6ShOjT0Y2vZg0cxJMuQQCSUYhHQMSjA6kFDA0M/fAf38HfD+ODn+vFyMPQl5OHAxHzvP50JiLsJIuSvGdHfDgADHpjHsnJvVmLnuNHLLarBmZiSGBd9dATFCDK2Xrz0+ejwMw0Na/h6VNFtFYiilnbSSKiH3O0owOgmRUIDoQCdEBzrhg8dCcSKjCLsTc/FrUj62xefAztIEo0Jd0bebA5buS0FNvRKbnumDXr72HR06IVoJBUxrMTQATctdDbmbp6YHw5YSDEKMihKMTshUJMDQYGcMDXZGnUKJo+lF2JOYi13nc/HT6Ww4S8zw85x+CHa1brsxQjoxE6EAFiZCg/ZglNEqEkI6BCUYnZyZSIiHZS54WOaC2gYlTl8pQbCbBM6SzrMtOSH3Ql2PxLBzMCRmIlq6TYiRUYLRhZibCDvN/gmE6IvYXGTQVSRdrZIqIfcLSjAIIR3KxsIEvyblY8DHf8BBbAoHK1M4iM0a/zSFvZUZHMSmcLQyg33j+fbsUtvV65AQ0lVRgkEI6VBvjArG76mFKKqsQ3FlPYoq65GWX4GiqnrUK1Qt3mNlKoSD2Ay+jlb47InucGmlknEpJRiEdAhKMAghHapPNwf06eZwx+ucc1TVK1FcWYfiqnoUV9bf+veqOuy/kI9PD6Rh+ZPhWtsvq2lAgFPLG30RQgyHEgxCSKfEGIPYTASxmQg+DncWSgMAF+sUrDl2Gc8M9IPMveVVVWU1DbC1pB4MQoyt48o4EkLIPZo/JADW5ib4aH+K1mtoDgYhHYMSDEJIl2VjaYIXHwrEsUtFOJJ+447ztQ1K1CtUtIqEkA5ACQYhpEub0dcH3vaWWLo3BUoVv+Uc1SEhpONQgkEI6dJMRQK8PioIaQUV2B6fc8s5SjAI6TiUYBBCurxHw9zQw8sWy2PTUF3/96ZdVOiMkI5DCQYhpMtjjOHtR0NQUF6HdceuNL3eVOiMVpEQYnSUYBBC7gu9fe0xUu6CVUcycaOiDgANkRDSkdpMMBhjsYwx22bHdoyxXw0bFiGEtN+/RgWjTqHCioPpACjBIKQj6dKD4cg5L9UccM5vAnA2XEiEEHJ3ujmJMb2PNzafyUZGYWVTgiExpwSDEGPTJcFQMca8NQeMMR8AvJXrCSGkw7z4UCAsTYT4eH8qymsaIDGnUu2EdARdtgp/G8BxxtiRxuNBAGYbLiRCCLl7DmIzzBnij89+TYOvgyUNjxDSQdrsweCcHwDQE8AWAD8DiOSc0xwMQkin9cxAP7jZmCOruJoSDEI6iNYEgzEW3PhnTwDeAHIBXAfg3fgaIYR0SuYmQiwaEQSAlqgS0lFaGyJZCPVQyPIWznEAwwwSESGE6MGECA9sOZMNmVvLVVYJEB8f7ywSidYCCAVtW0DaRwUgSaFQPBsZGVnY0gVaEwzO+ezGP4caKDhCCDEYgYBhy/N9wRhN8NRGJBKtdXV1DXFycropEAho8j7RmUqlYjdu3JDl5+evBTCupWt02QfDnDG2kDG2gzG2nTH2MmPMXO/REkKInlFy0aZQJyenckouSHsJBALu5ORUBnXvV4t0WUWyEUAFgC8bj6cC+B7ApHuOkBBCSEcSUHJB7lbj947WjgpdEowgznl4s+NDjLGEe46MEEIIIfctXSb1nGOM9dUcMMb6ADhhuJAIIYQQw9izZ48kNjbWSnP86aefOn311VcOHRlTSwYPHhxQVFQkLCoqEn788cdO7b1/4cKF7u+++66LIWLTlS4JRh8AJxljWYyxLAB/AhjMGLvAGEs0aHSEEEJIOykUCq3n/vjjD8mxY8fEmuPXX3/9xgsvvFBslMDa4ciRIxmOjo7K4uJi4bp167pkeQ5dEoxRAPwADG788APwCIAxAMYaLjRCCCH3s5deesn9gw8+aHrzXLBggceHH37orFKp8Pzzz3sGBgbKpVKpbM2aNXaAuvdh6NChAZrrZ86c6R0TE+MAAB4eHmGLFi1yi4yMDFq/fr1dS89LS0sz3bhxo9OqVatcgoODZQcOHBA3/00/Kioq6JlnnvHq1atXULdu3eRHjhyxHDFihL+Pj0/oiy++6K5p55tvvrEPCwsLCQ4Olk2bNs2ntYRG0+7Ro0ctASAvL0/k4eERBgAxMTEOI0aM8I+Ojg708fEJnTNnjqfmHg8Pj7C8vDzRq6++6pmdnW0WHBwse/755z0BYPHixS6hoaEhUqlU9sorrzTF9a9//cvV19c3tH///tJLly6ZteOfwiDanIPBOb/KGAsHEN340jHOuU5zMBhjowB8AUAIYC3n/OMWrnkSwL+h3lsjgXM+TcfYCSGE6Mlr2xK80vMrLPXZptRVUv3ZE+HZ2s7PmzevaMKECf6LFy8uVCqV2Llzp92ZM2dSNm7caHvhwgWLlJSUi3l5eaKoqKiQESNGVLb1PHNzc1V8fHyatvNBQUH1M2fOvCEWi5VLliwpAIDffvvtlo1STE1NVXFxcWkffPCB86RJkwLOnDmT4uzsrPD19Q176623CnJzc022bdtmHxcXl2pmZsb/8Y9/eK9atcrhbntBkpOTLRMSEpItLCxUAQEBoYsWLSoICAho0Jxfvnx5zpgxYyxSU1OTAWDHjh3WGRkZ5omJiSmccwwfPjxg//79YrFYrPrf//5nf+HCheSGhgb06NFDFhERUX03MelLmwkGY+wlAM8B2NH40ibG2Lec8y9buQ2MMSGArwE8DCAHwBnG2C5yNfcDAAAgAElEQVTOeXKzawIBvAlgAOf8JmOsS3YDEUIIab+goKB6W1tbxYkTJyzy8vJM5HJ5taurq/LYsWOSJ598skQkEsHLy0vRp0+fyuPHj1va2NioWmtv5syZN+81pgkTJpQCQHh4eE1AQECNj49PAwB4eXnVXb582fTw4cPipKQky/Dw8BAAqK2tFTg7O7fehdGKgQMHljs4OCgBICAgoDYzM9OseYJxuwMHDlgfPXrUWiaTyQCgurpakJqaal5RUSF45JFHSiUSiQoARowYUaqtDWPRZRXJMwD6cM6rAIAx9gnU8zBaTTAARAHI4JxfbrxvM4DxAJKbXfMcgK8bS8CDc97ibmCEEEIMq7WeBkOaNWtW0dq1ax0LCwtNZs2aVQwAnLe8ctbExISrVH/nGHV1dbdsdKJ5c70X5ubmHAAEAgHMzMyaAhEIBFAoFIxzziZNmlT89ddfX9e1TZFIxJVKJQCgurr6lphNTU2bniEUCnlDQ0Orm7dwzvHyyy/nvfbaa0XNX1+yZIlzZ9v3RZc5GAyAstmxsvG1tngAaP4Nm9P4WnNSAFLG2AnG2F+NQyqEEEIeEDNmzCg9dOiQTUJCgtXEiRPLAGDw4MEV27Zts1coFMjNzRWdPn1aHB0dXeXv71+XkZFhUVNTw4qLi4XHjx/Xug/80qVLnZYuXXrH6guJRKKsqKgQ3m28o0aNKt+zZ4/d9evXRQBQUFAgTE9PNwWACRMm+B46dOiOYSYvL6+606dPWwHADz/80OL8EG1sbGyUVVVVTe/Vo0ePLv/+++8dy8rKBABw5coVk+vXr4uGDRtWuXfvXtvKykp28+ZNQWxsrO3dfo76oksPxgYApxhj/2s8fgzAeh3uaykJuT0tFQEIBDAEgCeAY4yxUM75LV07jLHZaCwR7+3trcOjCSGEdAXm5ua8f//+5ba2tkqRSP2WNGPGjNKTJ0+KQ0JC5Iwx/v777+d4e3srAGDs2LE3Q0JC5H5+frVyuVzrHIPU1FSLAQMG3DFvY+LEiaVPPPGE//79+21XrFhxrb3xRkZG1r7zzjvXH3roIalKpYKJiQmPiYm5JpVK61NSUiy9vLzuGN544403CiZPntxt8+bNDtHR0eXteZ6rq6syMjKyMjAwUD5s2LCy1atX51y8eNG8d+/ewQBgaWmp+uGHH64MHDiwesKECSWhoaFyDw+PuqioqDbnrBga09YVdctF6uqpA6FOGo5yzs/pcE8/AP/mnI9sPH4TADjnHzW7ZhWAvzjn3zUe/w7gDc75GW3t9urVi8fFxbUZMyGEkL8xxuI5572av5aQkJAVHh5epO0eY1AqlZDL5bKtW7dmhoWF1emr3aFDhwbs378/UzPkYWglJSWC6dOn++7fv/+yMZ7XWSQkJDiGh4f7tnROl1ok33POz3LOYzjnX3DOzzHGvtfhuWcABDLG/BhjpgCmANh12zU7AQxtfI4j1EMmD9Q/DiGEPKji4+PNfXx8wqKjo8v1mVwAwKFDhzKMlVwAgL29vepBSy7aossQibz5QePqkMi2buKcKxhjLwD4Feplqus55xcZY0sAxHHOdzWeG8EYS4Z6bsdrnPNOt+EJIYQQ/YuMjKzNycm50NFxEMPQmmA0Dmm8BcCCMaYZM2IA6gF8q0vjnPN9APbd9tq7zf7OASxs/CCEEELIfULrEAnn/CPOuQTAZ5xz68YPCefcgXP+phFjJIQQQkgX0+YcDEomCCGEENJeuuyDQQghhBDSLloTDMaYnzEDIYQQ8mC5vRT57cXM7kVMTIzDzJkzu/zGSRMnTvTdsGFDuzbnsrS0jACArKwsk1GjRnVr6ZrmBdgMpbUejG1A094UhBBCiF511lLkDQ1aS4F0Kb6+vg0HDhzosKWzrSUYAsbYe1Bv5b3w9g9jBUgIIeT+1FIp8qqqKuGoUaO6+fn5yceNG+enqT2yaNEit9DQ0JDAwED51KlTfTSvR0VFBc2dO9cjLCwsxNfXN/TAgQPi25+zefNmmx49egTn5eVpXTkZExPjMHr06G7Dhg0LiI6OlgItl0UvLy8XDBkyJCAoKEgWGBgo15SS9/DwCNPEERYWFpKUlGQGAOnp6ab9+vWTSqVSWb9+/aSXLl0yBdQ9E08//bRXREREsKenZ5iml0KlUmHmzJne/v7+8iFDhgQUFRW1uZ1EamqqaY8ePYJDQ0NDXnrppaby7WlpaaaBgYFyAKisrGRjxozpJpVKZY8++mi32tpagxcuaS3wKVBvCy4CIDF0IIQQQjrQzvleKEzWb5e5s6waj32ttYja7aXI9+zZI0lJSbE4f/78ZV9f34bIyMjg2NhY8ciRIytfe+21wmXLluUBwGOPPea3efNmm2nTppUBgEKhYBcuXEjZsmWLzZIlS9xHjRqVrnnGxo0bbb/44guX2NjYS05OTsqWI1E7e/asODEx8aKLi4tSW1n0goICkaura8Phw4czAHUvjOZ+a2tr5YULF1K++uorhwULFngdOnQoY86cOd7Tpk0rXrBgQfGKFSsc5s6d63Xw4MFMACgoKDCJi4tLPX/+vPmECRMCZs2adfP777+3zcjIMEtLS7uYk5NjEhYWJn/66adb3R9q3rx53s8+++yNF154ofijjz66o/4KACxbtszZwsJClZ6ennzq1CmLAQMGyFprUx9aW6aaxjn/BMA/Oefv3/5h6MAIIYQ8eMLCwqr8/f0bhEIh5HJ5dWZmpikA7N+/X9K9e/dgqVQqO3nypCQpKclCc8+kSZNuAkD//v2rcnJyTDWvnzx5UrJ8+XJXXZILAIiOji53cXFRAreWRZfL5bLMzEzz1NRU8549e9YcO3bMeu7cuR4HDhwQa0qtA8BTTz1VAgDPPfdcyblz58QAcO7cOavZs2eXAMDcuXNL4uPjm3pYxo0bVyoUChEZGVlbXFxsAgBHjhxpKlXv6+vb0K9fv4q24j579qz4ueeeKwGA559/vsVk5Pjx4+IZM2YUA0CfPn1qpFKp1jou+qLLTp4nGWOfAxjUeHwEwBLOeZnhwiKEEGJUrfQ0GFPzEulCoRAKhYJVV1ezV1991efUqVPJAQEBDQsXLnSvra1t+gVZsyW4SCSCUqls6vr39vauu3btmllSUpL5oEGD2nxDtbS0bCr3rq0sOgCcPXs2efv27TZvv/22x8GDB8s1PSsCwd+/szPG2tymvPlW5s3rgt1N2XWBQNDm84xdzl2XZarrAVQAeLLxoxzqCquEEELIXbu9FLk21dXVAgBwdXVVlJWVCXbv3q3TqgpPT8/67du3Z8yaNcsvLi7OHFAPmcyfP9+jrXu1lUXPysoykUgkqnnz5pW8/PLLBefPn28aVtq4caM9AKxbt84uIiKiCgAiIiKq1q5dawcAq1evtu/Vq1erVU4HDx5csXXrVnuFQoGrV6+a/PXXX01TFObPn++xcePGO8qw9+zZs3LNmjX2ALBmzRqHltodOHBg5aZNm+wB4MyZM+bp6ekGXUEC6NaD4c85n9js+H3G2HlDBUQIIeTBcHsp8rFjx7bYM+7o6KicPn36DZlMJvf09KwPDw+v0vUZ4eHhdRs3brw8efJk/127dmVkZGSYWVtbtzlc8vjjj5e3VBY9NTXV7M033/QUCAQQiUT8m2++uaq5p66ujnXv3j1YpVKxzZs3XwaAlStXXnvqqad8v/jiC1cHBwfFxo0bs1p77owZM0p///1366CgILmfn19tVFRU0xBJcnKyxYQJE0pvv+ebb765NmXKlG7ffPONy7hx42621O6iRYsKp0yZ4ieVSmVyubw6LCxM56/h3WqzXDtj7E+oi5AdbzweAGAZ57yfoYNrCZVrJ4SQ9uus5dqNbfz48X4rV67Mdnd3V+izXQ8Pj7C4uLgUNzc3vbbb3MCBAwOPHz9+yVDt343WyrXr0oMxB8BGxphN4/FNAE/pKTZCCCHEaH755ZcrHR3D3epsyUVb2kwwOOcJAMIZY9aNx+Vt3EIIIYQ8UK5fv05l52+jSw8GAEosCCGEEKI7KnZGCCGEEL2jBIMQQgghetdmgsEYs2SMLWaMrWk8DmSMjTF8aIQQQgjpqnTpwdgAoA6AZllqDoAPDRYRIYQQogeffvqp01dffdXixlP60rzE/A8//GDz1ltvuQLay6zrsyR9Z6frRluTGWNTAYBzXsOMvd8oIYQQ0k6vv/76DWM+b/r06WUAqIxGI116MOoZYxYAOAAwxvyh7tEghBBC7tpLL73k/sEHHzhrjhcsWODx4YcfOgPtK5WuzcKFC93fffddF0B7Wfe0tDTTyMjIIJlMFiKTyUJiY2OtgDt7GmbOnOkdExPjAADbtm2z9vPzk0dGRgZt27ataevumJgYh5kzZ3prjmNjYyWRkZFBvr6+oT/99JNmL6km5eXlgkmTJvmGhoaGhISEyDZt2nTHNuDNpaWlmXbr1k0+ZcoUn4CAAPmAAQMCKysrGQAsX77cMTQ0NCQoKEg2cuRI/4qKCgGg7kmZPn26d58+faSenp5he/fuFU+aNMm3W7du8okTJ/pq2t6xY4d1jx49gmUyWcjo0aO7abZIvxe69GC8B+AAAC/G2A8ABgB4+l4fTAghpPNYfGKxV8bNDL3WpwiwC6j+YMAHWouozZs3r2jChAn+ixcvLlQqldi5c6fdmTNnUu6mVLouWirr7u7urjh27Fi6paUlv3DhgtnUqVO7JSUlpWhro7q6mr3wwgu+sbGxaXK5vG7MmDHdtF2bnZ1tdvr06bTk5GSz4cOHB40fP/6WvTLeeustt6FDh5Zv3bo1q6ioSNirV6+QcePGlVtbW6u0tXnt2jXzTZs2Xe7fv//VRx55pNvGjRvt5s2bVzJ9+vSbr776ahEAvPjii+4xMTGOb7/9diEAlJWVif7888/0H3/80Xby5MmBf/zxR2pkZGRN9+7dQ06ePGnh5+fXsHTpUrejR4+mW1tbq95++23XDz74wEVTxO1u6bLRVixj7CyAvgAYgJc45w/U1rKEEEL0LygoqN7W1lZx4sQJi7y8PBO5XF7t6uqqbF4qHVAXO0tNTTV/6KGHKt5++22vuXPneowfP75s1KhRrRYOu13zsu6vvfaaKQDU19ezZ555xic5OdlCIBDg6tWrZq21cf78eXNPT8+6sLCwOgCYPn168dq1a51aunbixIklQqEQYWFhdV5eXnXnz583b37+8OHD1r/++qttTEyMK6CuZZKRkWHas2fPWm3P9/DwqOvfv38NAERERFRnZWWZAUB8fLzFu+++61FRUSGsqqoSDh48uGmo5tFHHy0VCATo2bNntYODQ0NUVFQNAEil0prMzEyzq1evmmZmZppHRUUFA0BDQwOLjIxs19e2JW0mGIyxCQD+4JzvbTy2ZYw9xjnfea8PJ4QQ0jm01tNgSLNmzSpau3atY2FhocmsWbOKgbsrla6Llsq6/+c//3FxdnZu2L59+xWVSgULC4tIADAxMeEq1d8dCXV1dU1zD3Wdhnj7dbcfc86xbdu2jPDwcJ2nHZiamjYvZ89ramoEADB79my/bdu2ZfTr168mJibG4ciRI01VWDWft1AovOV+gUAAhULBhEIhHzhwYPnu3bv1uo26LmMs73HOmzIhznkp1MMmhBBCyD2ZMWNG6aFDh2wSEhKsJk6cWAa0v1S6tjLmuigrKxO6ubk1CIVCfPPNNw5KpbrQqr+/f11GRoZFTU0NKy4uFh4/ftwaAHr06FGbk5NjevHiRTMA2Lx5s722tnfs2GGnVCpx8eJFs+zsbLPw8PBbeiaGDh1avnz5chdNInPixAkLzefbr18/aXs+j+rqaoG3t3dDXV0day2mlgwZMqQqLi5OnJSUZAYAFRUVgsTExFZ7cnShyxyMlpIQnbcYJ4QQQrQxNzfn/fv3L7e1tVWKROq3lvaWStdWxlwXL7/8cuHEiRP9d+7caTdw4MAKCwsLFQAEBAQ0jB079mZISIjcz8+vVi6XVzfGwr/88surY8aMCbC3t1f06dOnMiUlxaKltgMCAuqioqKCiouLTVasWHHV0tLylvLlH3/8ce7s2bO9g4ODZZxz5unpWXfo0KGM7OxsE6FQ2Hqp89u88cYbuVFRUSEeHh71ISEh1ZWVlTrPT3F3d1esXr06a8qUKd3q6+sZALz33nvXu3fvfk8LOnQp174eQCmAr6FeSbIAgB3n/Ol7efDdonLthBDSfp21XLtSqYRcLpdt3bo1UzOvob06Yxnze7F06VInHx+f+sZlr53avZZrXwBgMYAtUE/y/A3AfL1FRwgh5IEUHx9vPn78+MDRo0ffvNvkAuh6Zczb8tZbbxl1/w5D0WUVSRWAN4wQCyGEkAdIZGRkbU5ODpU5v0/psopECmARAN/m13POhxkuLEIIIYR0ZboMkWwFsArAWgBKw4ZDCCGEkPuBLgmGgnO+0uCREEIIIeS+ocs+GLsZY/MYY26MMXvNh8EjI4QQQkiXpUuC8RSA1wCcBBDf+EHrRAkhhOhFREREsLZzaWlppoGBgXJjxmMI33//vW18fLx521e2rKO/DlFRUUFHjx5tV62aNhMMzrlfCx9ai7s0xxgbxRhLY4xlMMa0rkRhjD3BGOOMsV7ariGEEHJ/OnfuXGpHx9CahoaGVo91sXPnTtvExMQWN+S6X7WZYDDGLBlj7zDGvm08DmSMjdHhPiHUm3ONBiADMJUxJmvhOgmAFwGcam/whBBCuj5LS8uIsrIyQb9+/aQymSxEKpW2WLo8OTnZNCQkRHbkyBFLhUKB559/3lNT0v2zzz5zbOs527Zts5bJZCFBQUEyzVbcBQUFwuHDh/tLpVJZeHh48KlTpywAdan3qVOn+gwYMCDw8ccf94uJiXEYPXp0t2HDhgVER0dLgZZLygPAV1995SCVSmVBQUGyxx57zC82Ntbq4MGDtu+8845ncHCwTLPNeEsWLlzo/thjj/n17dtX6uPjE7p8+fI7Pq/WSsxHRUUFjRo1qpufn5983LhxfpptyD08PMJeeeUVd83X99y5c+aA9pLxlZWVbMyYMd2kUqns0Ucf7VZbW6tbAZZmdJnkuQHqYZH+jcc5UK8s2dPGfVEAMjjnlwGAMbYZwHgAybdd9wGAT6FeCksIIaQD5L71tlfdpUt6LdduFhhY7b70PzoVUbO0tFTt3bs3w97eXpWXlyfq06dP8LRp05q2/05ISDCbMmWK/7p1667079+/ZtmyZY42NjbKpKSklJqaGta7d+/gsWPHlgcHB9e31H5ubq7ohRde8D18+HBqcHBwfUFBgRAAXn/9dffw8PDqgwcPZu7atUvy1FNP+aWmpiYDQGJiouWpU6dSxWIxj4mJcTh79qw4MTHxoouLi1JbSXknJyfFsmXL3P78889UNzc3RUFBgdDFxUU5fPjw0jFjxpTNmjXrZltfi5SUFIv4+PiUiooKYUREhExTo0WjtRLzKSkpFufPn7/s6+vbEBkZGRwbGyseOXJkJQA4OjoqkpOTUz7++GOnjz/+2GXLli1XtZWM//zzz50sLCxU6enpyadOnbIYMGDAHR0EbdElwfDnnE9mjE0FAM55DdOtlJwHgObfWDkA+jS/gDEWAcCLc76HMaY1wWCMzQYwGwC8vb11eDQhhJCuRKVSsZdfftnzr7/+EgsEAhQWFprm5OSIAKCkpET02GOPBWzdujWzV69etQBw8OBB69TUVMtdu3bZAUBFRYUwOTnZXFuCcfjwYauoqKgKzXkXFxclAJw+fVqyffv2DAAYN25cxezZs0XFxcVCABg1alSpWCxuqqcRHR1drrlPW0n5s2fPCsaOHXvTzc1N0fw57TF69OhSsVjMxWKxol+/fuXHjh2zioqKqtacb63EfFhYWJW/v38DAMjl8urMzExTzblp06bdBICoqKhqzddNW8n448ePi1988cVCAOjTp0+NVCpter6udEkw6hljFlDXIQFjzB+ALlu6tpSENP1DMcYEAP4PwNNtNcQ5/xbAt4C6FokOzyaEENIOuvY0GMrq1avti4uLRRcuXEgxMzPjHh4eYZpS5BKJROnm5lZ/+PBhsSbB4Jyz5cuXX5s4cWK5Lu1zzlsss95SPS7GGAcAKysrVfPXLS0tm461lZT/8MMPnTX33622yrxrKzEPAGZmZs3LuUOhUDTd3KxcPde83lrJeF3L0mujU7l2AAcAeDHGfgDwO4DXdbgvB4BXs2NPALnNjiUAQgEcZoxlAegLYBdN9CSEkAdPWVmZ0NHRscHMzIzv3r1bkpub2/Sbt4mJCT9w4EDmTz/95LBq1Sp7AHj44YfLVq5c6VRXV8cAIDEx0ay8vFwAAH5+fnesthg6dGjVqVOnJKmpqaaAeu4FAPTt27diw4YNDoB6DoOdnZ3C3t5edfv9t9NWUn7UqFHlu3btss/Pzxc2f45YLFZq4gPUBc2WLl3q1FLb+/fvt62urmb5+fnCv/76SzJw4MCq279WLZWYvxvaSsYPHDiwctOmTfYAcObMGfP09PR2D5/pUoskljF2FuoEgAF4iXOuS/W9MwACGWN+AK4DmAJgWrN2ywA0TV5hjB0GsIhzTktgCSHkAcIYw7PPPlsyevTogNDQ0BC5XF7t5+dX2/waa2tr1a+//poxZMgQqVgsVr3yyitFWVlZZmFhYSGcc2Zvb9+wb9++zLy8PBHn/I5fvd3d3RUxMTFZEyZMCFCpVHBwcGg4efLkpU8++SR32rRpvlKpVGZhYaH67rvvrugSs7aS8r169ap99dVX86Kjo4MFAgEPDQ2t3r59e9b06dNL5s6d67tq1SqXbdu2ZaamploMGDCgsqW2IyIiqh566KHA3Nxc00WLFuX5+vo2pKWlNSVc2krM3w1tJeMXLVpUOGXKFD+pVCqTy+XVYWFhVW23diut5doZYz1bu5FzfrbNxhl7BMAKAEIA6znn/2GMLQEQxznfddu1h6FDgkHl2gkhpP06a7n2/Px8Yc+ePWW5ubl6KXr2008/2WRmZpq98847hfpoz1CGDh0asH///kzNsIXGwoUL3cVisXLJkiUFHRVbe9xtufblrZzjANosdsY53wdg322vvavl2iFttUcIIeT+kZWVZTJkyJCg+fPn6+3NdOrUqWVtX9XxDh06lNHRMRia1gSDcz7UmIEQQgh5sPj6+jZkZWUldXQcncnnn3+e2/ZVXYMuq0jAGAuFerOspm1OOecbDRUUIYQQQrq2NhMMxth7AIZAnWDsg3pnzuMAKMEghBBCSIt0Wab6BICHAORzzmcBCAegdZtTQgghhBBdEowazrkKgIIxZg2gEIBOxc4IIYQQ8mDSJcGIY4zZAlgDdU2SswBOGzQqQgghpB0sLS0j9NFOTEyMw8yZM9tVkyImJsYhKyvLRB/Pv5/oUq59Hue8lHO+CsDDAJ5qHCohhBBCHnibNm1yvHbtWosJhkKhMHY4nYYu5dp/YYxNY4xZcc6zOOeJxgiMEELI/e2ll15y/+CDD5w1xwsWLPD48MMPnQHtpdCHDx/uL5fLQwICAuTLli27pZT5ggULPIKCgmTh4eHB2dnZrS5iqK6uZk888YSvVCqVhYSEyHbv3i3RnMvPzzeJjo4O9PHxCZ0zZ45na+1s2LDBLikpyXLmzJndgoODZZWVlczDwyNs0aJFbpGRkUHr16+3i4qKCjp69KglAOTl5Yk8PDzCAHXy0d6S812JLstUPwcwGcBHjLHTALYA2MM5r239NkIIIV3F7xtTvEquV+q1XLu9h7j6oZkhWouozZs3r2jChAn+ixcvLlQqldi5c6fdmTNnUrSVQh89enTlDz/8kOXi4qKsrKxkERERsn/84x83XV1dlTU1NYJ+/fpVfvnll9fnzJnj+eWXXzp9+umnedqe/cknnzgDQHp6evK5c+fMH3nkkcDMzMwkAEhOTrZMSEhItrCwUAUEBIQuWrSoICAgoKGldmbNmnVz5cqVzsuWLcseNGhQU8VRc3NzVXx8fBoArF271rmle1esWNGukvNdjS61SI4AOMIYE0K9e+dzANYDsDZwbIQQQu5jQUFB9ba2tooTJ05Y5OXlmcjl8mpXV1eltlLoo0ePrvzkk09c9u7dawuoexouXrxo7urqWmViYsKnTJlSBgCRkZFVBw8ebPU96uTJk+IFCxYUAkBEREStu7t7/YULF8wBYODAgeUODg5KAAgICKjNzMw005ZgaDNz5sybbV3T3pLzXY2uG21ZABgLdU9GTwD/NWRQhBBCjKu1ngZDmjVrVtHatWsdCwsLTWbNmlUMaC+FvmfPHsmRI0ckcXFxqRKJRBUVFRWkKekuEom4QKAe9ReJRLeUKW+JtjpcAGBqatq85DlvaGhod91yiUTSVIBMJBJxTcXT6urqprbaW3K+q9FlDsYWAClQ9158DcCfc77A0IERQgi5/82YMaP00KFDNgkJCVYTJ04sA7SXQi8tLRXa2NgoJRKJ6ty5c+YJCQlWbbW/ceNG2/nz53vc/nrzcuSJiYlmeXl5pt27d2916H/ChAm+hw4dumMYSSwWK8vKyoTa7vPy8qo7ffq0FQD88MMPdprXWys5fz/QpQdjA4BpnPO7LzhPCCGEtMDc3Jz379+/3NbWVikSqd+StJVCnzhxYtm3337rJJVKZf7+/rXh4eFtlhDPyMgws7a2vuP96/XXXy+cMWOGj1QqlQmFQqxevTrLwsJCe7cGgJSUFEsvL687hkpmzpxZtGDBAp/XXntNFRcXl3L7+TfeeKNg8uTJ3TZv3uwQHR3d1FuhreR8W59TV6G1XHvTBYxZAlgIwJtzPpsxFgggiHO+xxgB3o7KtRNCSPt11nLtSqUScrlctnXr1sywsLA6fbc/fvx4v5UrV2a7u7vf03rRkpISwfTp0333799/WV+x3Q9aK9euS1fMBgD1APo3HucA+FA/oRFCCHlQxcfHm/v4+IRFR0eXGyK5AIBffuJ5vc0AACAASURBVPnlyr0mFwBgb2+vouSifXQZIvHnnE9mjE0FAM55DWOs3RNeCCGEkOYiIyNrc3JyLnR0HMQwdOnBqG9cRcIBgDHmD8AgmSYhhBCjUqlUKvqFkdyVxu8dlbbzuiQY7wE4AMCLMfYDgN8BvK6f8AghhHSgpBs3bthQkkHaS6VSsRs3btgASNJ2TatDJI1DIakAHgfQFwAD8BLnvEMnBRFCCLl3CoXi2fz8/LX5+fmh0O0XTkI0VACSFArFs9ouaDXB4JxzxthOznkkgL36jo4QQkjHiYyMLAQwrqPjIPcnXTLWvxhjvQ0eCSGEEELuG7qsIhkKYA5jLAtAFdTDJJxz3t2QgRFCCCGk69IlwRht8CgIIYQQcl/RmmAwxswBzAEQAOACgHWc83verIQQQggh97/W5mD8F0AvqJOL0QCWGyUiQgghhHR5rQ2RyDjnYQDAGFsH4LRxQiKEEEJIV9daD0ZTxTgaGiGEEEJIe7TWgxHOGNOUlWUALBqPNatIrA0eHSGEEEK6JK0JBudcaMxACCGEEHL/oK1hCSGEEKJ3lGAQQgghRO8owSCEEEKI3lGCQQghhBC9M2iCwRgbxRhLY4xlMMbeaOH8QsZYMmMskTH2O2PMx5DxEEIIIcQ4DJZgMMaEAL6GehdQGYCpjDHZbZedA9CrsXDaNgCfGioeQgghhBiPIXswogBkcM4vc87rAWwGML75BZzzQ5zz6sbDvwB4GjAeQgghhBiJIRMMDwDZzY5zGl/T5hkA+1s6wRibzRiLY4zF3bhxQ48hEkIIIcQQDJlgsBZe4y1eyNg/oC6s9llL5znn33LOe3HOezk5OekxREIIIYQYQmtbhd+rHABezY49AeTefhFjbDiAtwEM5pzXGTAeQgghhBiJIXswzgAIZIz5McZMAUwBsKv5BYyxCACrAYzjnBcaMBZCCCGEGJHBEozGCqwvAPgVQAqAnznnFxljSxhj4xov+wyAGMBWxth5xtguLc0RQgghpAsx5BAJOOf7AOy77bV3m/19uCGfTwghhJCOQTt5EkIIIUTvKMEghBBCiN5RgkEIIYQQvaMEgxBCCCF6RwkGIYQQQvSOEgxCCCGE6B0lGIQQQgjRO0owCCGEEKJ3lGAQQtqvobajIyCEdHKUYBBC2ufKMeATXyBhS0dHQgjpxCjBIIToruQK8PMMQFEDxK3v6GgIIZ0YJRiEEN3UlgM/TQE4ByJmANl/ATevdnRUrWrIzYXi5s2ODoOQBxIlGISQtqmUwPZngaJLwJMbgUGvqV9P2tb6fbXlwC8vABUFho/xNtVn43H5kVHIXzjH6M8mhFCC8f/tnXl4VNX9/19n9ixkmZAEAiEJJOwICIiCSpVFBcQFUavgUq3Vqm1/tmrdvlWrtrXaundxaRFxQ0RxV9Qiq7LvyB4gCQnJZE9mP78/ziQZIIEAycwFzut5zjPn3nvmznvu3Lnnfc/5nHM1Gk1rmPcwbP0Cxj8J3UdBchZknglrZ6kWjZbYvRRWzYDv/xkxqQB1K5az58brCbp9uDdtiOhnazQahTYYGo3m8Kx+ExY/B8NuVqmB06bA/k1QvL7l91buUa+r3oCAr311hqhbtpQ9N16P2eohsbcJX6WfYH19RD5bo9E0oQ2GJjoUrIB5j8CuRYe/A9ZEl93fw0e/hpxz4cI/H7it72VgssC6WS2/v3Kveq0tgc2ftJ/OEPU/LGLPTT/DbPOS9fidxI2ZCFLgXb+43T9bo9EciCXaAjStw19ejmfLFrwbVmHvO4CY4SMQQkRb1tEhJWz9St0N71qg1i38G3QZCiN/Db0ngMkcXY3tTU0JrHlLVdzOHEjvB2l9ILU3WGOire5AKvbAO9dCQheYMh3M1gO3x6VAj9GwbjaMfhhMzdyvVO6FxEyVX/Ef6Hdpu8mtXzqf3bfchtnmI+vp+7CO+hl2x/vAXLxrFuMYNrrdPluj0RyKNhgGI+jx4P1xI+5Vi/FsWINn2w48e/bjr/YeUM6easZ5fm8Sxo/HlD1cVVBGrZz9Xlg/WxmLko2qwhr3OJx2FWz6EBY/r4Y+puTCiDvhtKvB6oi26rYjGIDt38LK/8KPn0HQD8k5sG0eBDyqjDCpdel9IS0sObuDuf3+phXuCj7c/iFTek4h1hrbtMFTA2/9FPweuOETiHU2v4PTroTZN8HuxZB99qHbK/dAUpaK2/j2cSjbDik92kR7paeSJUVLSLAmkLp+O4G7n8BiC5D13ONYR1wJgG3wTwCJZ7OOw9BoIo2QJ1jz9NChQ+Xy5cujLeO4kYEAvi1r8axaiGfjWtzbduLZsx+vywuhn0SYJLYEP45UG/bMjthze2Dr2Zfa5etwzVuDt9SL2R4gObeOpN4Sa+5A6HI6dBmiUmImRLOVw10FK6fD0n9AVYGqMEf+GvpdDhZbU7mAHzbNhUXPQNEaiE+H4bfC0J9BTFL09B8PlXtV98+uBbD9G/X9Y1Ng4E/h9Oshtaf63uU7oXgDlGyCkg1QvBFcO2g8Ccx2SO2ljl24+UjIaJPf9rmVz/HyupfpldyL589/ns7xnSEYhFnXqS6Na96FvLEt78BbC3/NU/EYFz976Pa/94eskTDmYfh7Pzjrdhj3xwPLrJyhjlNSFiRnqwDSpCz1HZsxzburdvPGpjf4YNsH1PvryS2QPPhOgKoY+Mt1MdgyupIWm0Z6bDrpsemMvfWfJHRLpMt7S47nUJ3wCCFWSCmHRluH5tRBG4z2xu/Fv3M1nlWL8Gxci2f7Ltx7y/Du9xL0N1UQ1vgA9rQY7JmpOPJ6YO83CFv/4Yj03mCLPWS3UkrqFi3G9Z9/UbN4OZggoacDZ7d9xCTXqkJxqU1mI+N0ZT5auhNtS6r3qVEDy14DTyVkn6OMRe6Yw1eKUsLO+bDoWVUp2zrA0BvgzF+qysbIVOyGXQubTEVFaH4IRyJkna0q4F7jwWI/8r589bB/szIdjeZjI1QXNZVxJIbMRp8m05HeF2KSj0r2ZR9ehjfgxeV2YTfbeea8Zxi0/mP47q9wwRPKEByJ2T+HrV/C77YeahwfS6Nq8O9JmHQPvH0t7F4Cd21qOg7BIDyVp4yK302jsQIwWSEpE5KykEndWOlw8Hr9Tr6t+BGzMDO++3imlHXE9tC/8Dtg/f9dzp60RIrriimuK6akroT9dfv5wzt+BlYE6L5o01EdG8MQ8MGeH2DbV9DvMug88Jh2ow2GJtJog9FW1JYRLNyAZ80SPJvW49m+C0+BC0+pD399012Y2Q729BjsmWnYe+bi6D8Y26CzMXfOa74PuxV48/NxzZxJ5ez3CdbWEtM3l+Sf9CKhSw1i3yrY/yONF+7knCbT0WUIdD6t7fr+929R3SBr31HdAH0mwchfqc85iG92f8P0DdPpm9KXST0m0dvZ+8CYkqK1ymhsmKO6D067Ekb8CtJ6t43W40FKZSAaDcVCqNyttsUkqzv27LPVa3q/tuu6qnM1mY2SjSEDslGZuAY6ZCjTEd7akdqr2d84vyqfiXMmcu+wexmRMYI7vrmD4ppCHikuZmLPy2HSC61rJdn6Fcy8Aq5+U8XRNFC5l5InJzGr7CkuvKU/PTqshZmTYfKrMOAKVaZoLf7nRuHpfzfBTmcgXQUEXQUEXfuQlcX4K8vYUVPKj34PdQFBvFeSXe8nwx3AEjDjrjBjiRVkvfYK1v4jD5H26Y5PWf/w75i4IkifZUsQsUdnwKJGZYHqQtv2FeyYD54qEGaY8DQMvfGYdqkNhibSaINxNAR8UJ6PLNmMb/MKPJs34N6er4yES+KttoBUF2RhBltqLI6sdOx5edgHDMZ++rlYuua0W3BmoKaGyvfn4Jr5Br783VjS0ki+5qckTboIiydfjdwoWAEFq6AqFN1vsqhKKNx0pPY6ukpx9/fKDPz4CVgcMOhadefbTF97tbeav/zwFz7c/iEZcRmU1JfgD/rJTcrl4h4XMyFnAulx6U1vKN8FS16Cla+r6al7XqRaQ7LOOr6DdTRIqbot8hc1mYqG4xebAlkjVCtN1kh1LI/RKB6ztqpCZTjCu1r2bzkwvsPZPdTa0U+Zj9wx/HfLLJ5e8TRfTP6CjPgMKnbO564vb2GZw8bN/W7kziG/wSRa8V0Cfni6lzJVV05vWp+/hLUvPMuC6ltIz0ngirtPh+cGqu6PGz5WZRY9x657n6G+tOWWHa8Z/DYTltg4YmPiMVsFJovEJPyY48ykPfxXrL2arzd9QR9/vHcEP/2ohh7T/4Jt+KTWHtnI4veqmVG3zYOt89RvCMow5o2B3LEqjsWReMwfoQ2GJtJog9Ec9eVQug1Kt+DftQ7P5o14duTjLqzEU27GU2VB+psuvFZnDPasTth79sTRfzD2QWdhy+mOsEQnhlYGg9R89x3lr8+gdvFihM1GwsUTcU6bhqN3qAWgeh8UrAwzHSub7oStcZAx+KB4jq4H3s0Gg7DlM1j0nLowxiTDGbeoFNexWV3L9i3jgYUPUFxXzE39b+K2gbdR66vli11f8NGOj1izfw0CwfDOw7m4x8WM6TamKfCwtgyWvQzf/wvqXZA5HM69R1182/wAShWMmL+wyVBUF6ptsR0he2SToUjtHVlD0VoCfmWKGls7Nh4Y35E+gOu6dsVNkHcvfleZlH+fh89s4/EhE5i98xPOzzyfP53zpwODP1vi07uVCfzdVnAkqHVrZ/HNf1ayqV7FcEy+Zwid9r4M3/wR7lgOHfMIvnYJi1+14D9jHD0mDMPvrObDgs/5uPArKoWbQZnDmTbges7ucnbrzE4zvP/m/fR5dA7+O0Yx4I7ITvh1WCr3qtafbfNUK4W3Whn+bmep7sS8sZDWlyCSreVbWV68nDM7n0mPpGMLktUGQxNpTl2DEQyoZu6QkQgWbcKzZTOeHbvxlLjxVFhwV1oJuMO6N+Js2LM6Y+/ZE/uAITj6D8Kem4spLu749bQTnm3bcL3xBpUfzkXW1xM7bBjJ06bSYfRohDmslSIYVJVPo+FYAfvWQiA0eiU8nsORCD+8DGVbIakbnHUHDJ4KtuaPgyfg4dmVzzJj4wyyErJ4/OzHGZh6aD9yflU+H+/4mI+2f0RBTQExlhjGdBvDxB4TGd5pOGaTGbx1sHomctGzUL4HMfEpOOPneANe5mydwybXJhwWB3azHYfZ0ZiPscSodRZH03qLnRhzDHazDUdlEY6CFdh3f48lfzHU7At97zR1Z95gKjr2jG7g7PHirYNtX1E693bO75TErblX8rP+v8Hx7iQ1DfhNXyLT+jJz00z+uvyv5CXlNQV/Ho49y+DVMXDpP2DQNWrdgr/x7jvxmLoMpLzEQ7d+Ti64KhX+3lcF8Z7/EHW/7cHblX+jPiYVgHpLDYVJW0nJtTPx3PMY2L3fcX/lqpK9FJw7lu/HJnDD8983bdj8CeQvhgseP+7PaBV+j4pBaTAV+zer9QldD2il8Ftj2OzazPJ9y1lRvIIVJSuo9lYDcO+we5nad+oxfbw2GJpIc+oYjL3L4cfPkCU/4tu5BfeuQjwuiafSiqfCgrcmrHvDYsbWrROOnr2wDzgde6/e2HvmYUlNPfHmnggRqKyk4r33cM2cib+wCGtGBsnXXkvSFZMxJ7bQ7Or3qlkaC1c2tXY0xHN0Ok11VfS99LDDKDeUbeCBBQ+wvXI7V/W6iruG3HXEO2IpJatKVjF3+1y+3PUl1b5q0mLSmNBjAhO7Xkjaki24pk/Hv2cbmecV8NnY6/hn1UaKaotItifjD/pxB9z4gsc2c6QFQYzJht0ag8Ma32hK7JYDDUq4gTmcmUm0J9I3pa+hzp3Zy57l4Y2v8MzW09lcej29Hd9w5rQRxA0Z31hmYcFC7p5/d1PwZ9qglncoJTw3SMX4XPcBAMG5v+Xfn41jwOjuIARrvt7DtMfOosO8W2Dnd3DZv9n7f7/iw6SX2JD6FVUdKxkeGE3svlTcVX4AktJjyezjJLNPMl16JmOLObZWwdWn92VhHlzyyhdkdshUel8Yqkz1A8UHBqe2JeX5Ko5i6zz1nX21Kng1a4Rqocgdi9eZw/qyDSwvVoZidclq6vx1AGQnZDMkfUhj6hzX+ZjPI20wNJHmlDEYlc/8Btesj/FUWpH+0EoB1s5p2Hv2wtG3v2qZ6NkTW7duUeveaG+k30/1N99QPuMN6pYtQ8TEkHjJJJzTpmHv0YqmV3eVGs1whDt5f9DPK+te4V9r/oXT4eTRkY8yssuhQXhHwhPw8L89/+Pr1e8T/8lixq70k1QL9V07YnNVU5jg4/fTBL3i07nz7D9yVsZZjRfgQDCAJ+DB7avDXbIB9+4luAuX4ylaQ72nCo9J4I5x4k7Nw+3MxpPUDbc9DrffjSfgod5fr97vd+MOuA9Z7/F7qA/U4/F78Aa9h/0eIzNG8siIRxrjS7zVddg6tKLroZ24/evb2Vm6nSsX/AIR9FGHE7PNyhkTcxhwXlfMZtUdsaNihwr+rC3mkZGPMLH7xJZ3+s1jsOBp5P/bhHtnMa4Pn+KDwhsZc2NfMvKSmPHgEgaNyWTEwD0w41JIyWXZV5n8kPErdp+3gIcn30OMJQYpJa6iWvZuKmf3RheFW8vxe4OYTIL07gkhw+EkLasDJnPruk22jh/BBm85mx6bxn1n3q8q++kXhw7GMjVsuC3wudWcIFtDAZqlW9T6pG6qhSJ3DHWZw1hbtZ0VxStYXriMHXvWElPjJbFW0otO9BEZZAeTSXc7sFbVESgtxe9y4S8ro9MD95M0efIxSdMGQxNpTs5atBn+ZzPhjbexO0ewN83EnjQThalmfPY6hFiNSazF5DLB92D6wYQJE0IITOKgvDAhUHkhRGO+YdlE8/nw9xy8z5bKHvxZDe/rHN+ZPs4+9Hb2pkt8l6O6oxEWCwnjxpEwbhzuTZtwzXiDyvfnUPH2O8SNHEnytKnEn3suoqW4AkdCUx97C+ys3MkDCx9gXek6xueM5/7h95NoP7bgNLltFwNe/46sj5YivX4qT+/BjCGSj1LyGbZVcvfsIC9/ncDpPZcjstZAlxGqu6dkI+ZdC4nNX0jsrkUqbgNUc3T2+U3dHsk5bdLl0WhmAu4DjIc74GZ96XqeX/U8l829jId6/JKY/5SyQZ6GzVdFAlUkxgVISrXRMdtJat+uxPfKwRwff9yaWqLWV8vSwqVcK++g1p/IpCsCdBhwFgtnbWPRe9vYuLCQc67sSWZfJ92TuvPm+De5a/5d3LfgPrZXbOfOwXc2Gw8h+1xO1YwXcF19Ne4dxexLGwZ9wek00cHpoPugVDYuLGTohSOxJecgS7dRLEeDDDC0fz9iLGqkixCClIx4UjLiGTg6k4AvyL4dleze5GLvJhc/fLyTHz7aiS3GQufcRGwOC2azQJgFJpPAZDZhMjUtZw9IIT4nm+yFLp7YOpvbBv2SpOWvAQKQULbt+AyGa2coOPMr2LUA6anD73MQSB6MP+MX1Ni6sKeshP3fbqP67cehrIIOdUEG1cKoOjAHw3dWqJLJhN/pBKcTS8cUYjIzsaQ4sXXvfuw6NZoIc8q0YKwqWcWSwiUEZZCgDCKR6lWq1yBh+dB2KWWz6xvzYdubW9/c/lvzueH7aSwfeg0EAxTXFROQAQA62DrQ29mb3s7ejaYjJzEHi6n13tHvclHx7ruUv/kW/pISbFlZJE+dSuJll2GOb318SVAGeWvzWzyz4hnsFjsPnvkgF2ZfeNS/lQwGqZk/H9f016lbuhThcJB42aWqlSV0gd1RsYPiumK6v7kI1yuv0vmSLJJilqg4ieL1KlAX1J1j1tlNhiIpKyoxFLvKd/Dhk7cyaL6JDf1/S7KjmniTm8o6C9UkEDQ1NdHbPeXEe8tIsLtJSjbh7NKBjnmdiM/LwtatG6bY42v5+HLXl9z97T3csfnvOFMSuPzu0xtN6q51pSx8dyuV++vJGdiRs6fkkdAxBl/Ax+PfP87srbMPCf4MVFRQ/u4symfOxF9cjC3ZTPKd97Pyi9VssY9mzLan6PLnx6nu2IvZT67g3Kt7MsDyHt45j/Lenj9SlBLPxMfPpJezV6v0u2t87NmszMa+nVUEfEGCAUkwKAkGggSDEhmQBAOSQEAiBIzo/CO2N57lF7+y0ivndF5a9jHWAVeoadvHPaZmkG0BKSXB2joCrjL8pWUESorwb/kB/87VBPZux19RTcBtwu+z4/dYCdY33zXntUBdBxsiOZGYtM4kd87GkdoJS8cUzM6U0KsTS8eOmBMTD4yRagN0C4Ym0pwyBuNERAZDF82GC2ZQXTSDFh+76nayybWJzWWb2ezazJbyLbgDbgDsZjt5SXn0TmkyHXnJeY13iC1+ns9H1RdfUj5jBvVr1mCKiyNx8uU4p07F1q3bYd+7r3YfDy16iKVFSzm7y9k8MuIR0mLTjur7BmtrqZjzAa4Zr6thtp06kXztNSRPmYI5qfkZPaXfz+6bbqZ+9Wqybz0Nh3+Deox4o6E4vO72RkqJZ/Nmiv7wMDUbtrB0xINUOCRzhjyLLcaM3WzHZrKRUuukS3EKzrIkYmuSMXlSCIgUpGh6/ofd7SK+tgh7oBSbowZrsg9zVxsiMwW6ZmDO7IItJk7t02zDZrZhN9uxm+1YTdbG/IOLHqR4uYdhWyYx8c6BZPVLOUBzwBdk9de7Wf5ZPjIgGTyuG6dfmIXFamoM/sxNymWCaRBdP1tNxoItmL1+Svt3YccwB8WOdcgBk0n7qBsxpmyGrv8Hvt17SL7hRhYER+GpD3DtPT0pf2wa75bezq6Oq3jsid8flSluLZ46Hx+/sJbinRX03vg6vstr+V3Sj0yqruGxKz+DVy+iPvYcfLlXESgrw1/mwl9WSqBMdUk0dE9It7vZ/ZscJkRSB2qTO1AaJ9hjrWa3pYrKOKiLt5LWNY/u2YPplzeS/t2GtW5ETjuhDYYm0pwyBqOiuI6ywhqCAdlUcTfkQ5V3i/lAMxX9QZX+gfsMHt3+W/gsDvPTWOxmYuKtKiXYsMdZ8NnqKTeVUhIsZI9vF1s9myilGLelhqAlQHZCdlNLR8h8tNR1Ub92La7XZ1D1+ecQCBA/ahTO66YRe9ZZB3TJSCn5ZOcnPLH0CfzSz93D7uaKvCuOqtvGV1CAa+abVMyaRbC6mpiBA3Fefx0dxo5FWK1HfL+/rIydl09GWK3kzH7vgKBVKSX4/QQ9XqTXg/SoFL4cdHua8h4P0uNV5byhZXdYPrQt6A0r1/i+UN7btF56VWyG2elk20V/YFehhaG3pPKt71Pq/fX4gj4VzxHw4A14G5OK8fBirY2lQ1kCafuTSKpOJc6TjpV0CDMejvpS4uqKiK0tQgaLqLHtozRuH0VOP/uSocgpKE6CgFn9JqagiZ9teIJOsR0417aQ+mU/qKBHkwlMAmEyg8mE2xTP5rjhFFpzcQRr6OtbQYbYQ4W3kt3FW8jd48drhkX9zXxxhpXCdAsCMPnqCAoLVy5/lOwcP5ffdhHFTz5JxdvvUHbaBNY4xzPh9tPwvPUq81zD2D5oAX+79Q+tPl+OFq/bz6fPLqdgZx1DbZ+zss/nvBQr+fmAn3P9G29T+Gl5U2GLBYvTidmZjCVGYDFXY/btw4ILsyOIOTUNV+5g1nfNZFmcn2Xl69hdrSZZi7XEMjh9MEPThzIkfQj9UvphM7dT8OgxoA2GJtKcMgZj5Zf5LHl/+1G/zxTqx23q3xUIUyvzDe81mcLy4tB9tpRvYf9et5/6Gh/11V7c1b7GfH21j4A/2PwXsQTx2uqpsVRSbSqn3lqD21qDNVbgdCaSkZJOdnpXenXJJTMtA5td3U36ikuoeOdtyt9+h4DLhS23h2pRcDqp9dfx/vYPWF22luyk7lzbbxod49NU/IbJjDCHXk0CzObQ+qZtgYoKyt9+h+qvvgIhSLhgHM7rriNm0GFGK7RA3apV5F93Peb4eITN1lTRu90qJuN4sFox2WwIux3hsGOy2VXebm9ab7cj7DZMdkdY3o6w2TF1iKc48xy+nZXPGRfnMGxCzjFLkVLi9fkoLamktKCasl3lVOwqp7rER22tFUkoNkIGcbjLiK8tIq62iNj6Imy2Gkj2UOwcxD45mtPW/YPU6i3EnnEGphgHMighGEQGAxCWLyOVDZYzqDI7SfEX0q92EfHBcuJHnUvy1VdjcR40/fz0iynZvoFZJa+wpdfXPPXrh7GarNR89x17H3iIhbm/IqmjndT8hax3jqPuinXcPebXx/EDHRmf18/7U1+k1DmAGFM5FSm1rLdt4Modu8j+YS05H8zFbKrCvG8pYsc8NfdJwIO0xLAr+wyWp2azwhxkRcWP7KtVQ5gTbAmNozuGpg+ll7NXu7TCtBXaYGgizSljMOqqvNRVeVswAC1U+ibjDCtsDVJKfJ4A9dUhw9FoPFTeHVpfXVVPTVU9vloJgea/Y8DsxxQTxB5vITEpjuQOcZj3FxBcvxyxdycIgcSEFAIpTCBMBy6jXlUSgKmZZYHFAh365pE4fDAx6SnYYy3YYizYY9SrLcaCzW5u1W9R/fXXVH3+harcbfZDKnrhsKt8w3LDtgYj4AjL20PGwWY77r7wiuI63n1iGandOnDJ/xuMqZ3Oq2AgSOX+elyFtbiKaindVY5rbzWVFX5kaAg2MohJBoiXVUwcp0ydOeHwQbsAwaBk44ICls7dgbc+QP9RXeg+KJWEFAfxyfYDR3OsnEH+rNf4uPwhPuj3LFf/ZBI3DbgJAH95OQsemslGf18SKndQkZBOj3stjO9+UXsckgPYfsEoCmJy8OX2oCRhLGVFNZgCPs7b8Bv6TLFDRT5BYGtqD5Z37skKm4UVtXtwuVWAcIojhaGdhjaaityk3GOe/CsaaIOhiTSnjMHQHEq4ISkvr2LHvnx27y+guKyM8vJq3DU+7L5YYnwdiPF3INYXjyl49HdoQjSTkCAE/oAgGDjCOSjAwkEWDwAAEr5JREFUZjc3Go4G89HB6aDXmZ1Iz0mIyhwTUkoCviA+bwCfRyW/Ry37Q8s+b4B1/9tLtcvN1Q+eQXxy5B9DH/AHqSipazQelSX1DPhJVzr3OPqRPe4aH9/P3cGGBQU0XDqESRCfZCeho4MOKQ4SEgWu+bPZVj+C7Zd+wnel83ni7CcYmzUWIQT1NV6m37uAQEBQEruBmx+5VM1N0c4U/GIqdcu+J+/PV8O4P7JiyRaWTt9LSvlTeCZ6WR4bywpPCdU+9bDAznGdG7s7hqQPISshq93Ps2BQ4qnz4a7x4a7146714an14a5V63IGppKec2RD2BzaYGgiTbu25wkhLgSeBczAK1LKPx+03Q68DgwByoCrpJS72lOTpgkhBDaHBZvDQmJqDNk90w/Y7gv42FG5QwWTujazvHQT20t3EvQIpvScwg39r8dutSNMal8NrT6qQUNgUk7isBflhkraU+/HW+/HWx/AW+9Xy24/nrqG9f4D1tdVeSnYWsH67wpI7hRLn5EZ9BreidiEQ/u8A/5gkwEIMwNquZlt3gazcPB7DjQPfm+A1vhzk0Vwwc39o2IuAMwWU+Owz+PFEW9l1DW9GDo+m/J9tVSVuakuc1NVVk91qZs9m8qprfSAHEGyvYTfn3svO7/awW/n/5aBqQP53dDfMShtEH1GdmX9dwUUpxXTNb5rG3zLI2MfMJyq+SsIDvwZJqBnRgJLgW3OPN4JfkOWKYux2Rc0moqM+GN/gq+UEp87oIxBeKrxhxmIhtRkJDx1/hb3KUyCDimOYzYYGk2kaTeDIYQwAy8CY4G9wDIhxFwp5cawYjcB5VLKXCHE1cBfgKvaS5Pm6LCarfRy9jpg+GBQBnH73W0WDS+EwGIzY7GZiUtsxaPMw/C6/WxbUcKmRYUsnr2NpXO2k5wRh7/BBHiD+D0BFTB7FFjsZqw2E1a7GatdabPazcR0sDXmm7YdWu7gZXusMnEnE3FJduKSmv+9Ar4g1cXl2G0BYmLTmHXxLD7c9iEvrn6RaZ9NY0y3Mdw8/Je4f6ghpnsgYq1Ptp7qPK6cv4zESZ0xFewgtraIhOwxfDPlQVJjU1v8Pu6wVgT3AQbB39TC0LhdrTtcy5zNYcYRb8URp1Jiakwob8ERb8Ueaz1guyNOnUMnWret5tSm3bpIhBBnAQ9LKS8ILd8HIKX8U1iZL0JllgghLMA+IFUeRpTuItE0h6uwlk2LC6korgsZBLN6DeUbzYCjpW1mrA4zFqvJUFN6n0zU+eqYvnE6/1n/H3wBHwEZ4BcDf8Htg26PyOf7iovZecmlBCoqELGxWDt3Zp1pGCU5ozhtdKZqSajxqRaG2iYT4fe2HCRstpgaTUGDGbDHhRmDeMsh6+xxlsaZUiOJ7iLRRJr2vK3qAuwJW94LDG+pjJTSL4SoBFKA0vBCQohbgFsAuh1hPgbNqYkzI46RV+RFW4bmMMRaY7lt4G1M6TmFl1a/xAfbPmBkxtFPH3+sWNPTyftuPrU/LKP663nUfP0NndLKKPAGWfl5fpgJsBCfZKdjl3js8VYcB7QmWJrKxVux2tp2MiyN5mSiPVswpgAXSClvDi1PA86QUt4ZVmZDqMze0PL2UJmylvarWzA0mpMDKWVUW4tkaPiy3y+xWEwnffeDbsHQRJr2bKfbC4SHhndFTbTfbJlQF0ki4GpHTRqNxiBEuytKmEwIkwmrrXXDoDUazdHRngZjGZAnhMgRQtiAq4G5B5WZC1wfyl8BfHO4+AuNRqPRaDQnBu0WgxGKqbgD+AI1TPU1KeUGIcSjwHIp5VzgVWCGEGIbquXi6vbSo9FoNBqNJnK069g5KeWnwKcHrfu/sLwbmNKeGjQajUaj0USeE2eeW41Go9FoNCcM2mBoNBqNRqNpc7TB0Gg0Go1G0+Zog6HRaDQajabNOeGepiqE2A/kH6FYRw6aDdQgGE2X0fSA1tRatKYjYzQ9EF1NWVLK5h+4otG0AyecwWgNQojlRpyxzmi6jKYHtKbWojUdGaPpAWNq0mjaC91FotFoNBqNps3RBkOj0Wg0Gk2bc7IajH9HW0ALGE2X0fSA1tRatKYjYzQ9YExNGk27cFLGYGg0Go1Go4kuJ2sLhkaj0Wg0miiiDYZGo9FoNJo2RxsMjUaj0Wg0bY42GIAQwpDHQQghoq0hHKMeJ42mLTDg/80cbQ0azfFwSgZ5CiHGAmMBF/CGlHJvlCUBIIQYAfQCNgPbpZQlQgiTlDIYJT2jgTOAXcAiKeXuaOoJacoGiqWU9dHScDBCiHOAYUAx8K2UsjDKkhBCdJJS7ou2joMRQgwH+gA7gXVSSlcUtZwDDAL2AAullFGf9TN0bbpWSnlDaNkspQxEV5VGc2yccnekQogJwJOoyqAbMD5sW9SOhxBiIvAvIA+4EHhVCJEjpQxGQ5cQ4nzgJcAKnA58IYQYEC09IU2TgB3AbUKIDtHQcDCh3+0FoBNwFvCAECI+ypouBQqFEDdEU8fBhI7VK8DZwPXAjUIIS5S0XIT63boCVwHjwrZFvCVDKCzABOA6IcTrAFLKgBDCFmk9Gk1bcEoZjFCT4yTgXinl08AaoIcQ4idCiKwoVuYmYCLwaynl/cBrQCLwhhCiR5RaDAYB70gpH5VS3g28CMyLlskQQqQAlwB/BX4C3GCAirwHcC9ws5TyHtTvlgLYo6gpA5gGPAPcLYSYFi0t4Qgh+gGPAddJKW8GPgLOIQrXICHEAOD/gNuklPcCG4FMIUQXIYRTSikjfX5LhR94C7gNyBBCfBLa5o2kFo2mrTilDAYggARgrBBiEHAXkAlcAcyJYmVuAjqj7oCRUuYDi4G1wMNCiLhICQm7e9uDMjmENL0A/BF4UwjRNQrHqQr4R6hCeBS4DGUyEsILRbhiKAH+CawAkFKuRJ1fZ0VQw8FUAC9KKe8C7gAeMYjJ2IdqEVsLIKWcA8QBA6KgZS9wh5RysRCiI3ADyuzcB/xTCNEl0ud3qAVDAEnAYCnlGCBOCLFUCLFECGEWQkTNuGo0x8IpYTCEEJ2EEOmhO4TfA7nAA8DnUsprpJR3APNQXRPR1HW1EOIFIcRLqH7qpwAJOCKlSTYF5XwHnC+EuC+kVYRMxjxgYKT0hOnyAStD+eWoloPLUU3tCCEuEkJ0jmTFIKWsRrXyBMOa+vcDwZCmkaEKrN0JnUudpJR1UspvQvq+BX6GMhnXhcqdGylNYbo6SynLpJT/DjX5N1SUflQXHEKIQUKIxJb31GZaOkkpy6WUK0KrzwEelVJOBP6MMrKD21NHM5pSZRNfAL7Q5geAfoBVShmQUnoipUujaQtOeoMhhJgMzAI+FEI8AHSUUl4GvAMUHVS8XS9wh9F1P+rOZRwqxmAjcJmUcjvqjjgzAnouEkI817AspSxGdUncKYS4L8x4WFEGrd05WBOqBYpQoOkylMkYK4R4H9WFExMFTfKg1yKgLBQH8Wci0F0Sdi59IIS4VwhxQaM4Kf8H3AT8XgjxJvAcETKsYbrmhOsKqyiLgBIhxOXAn2jHY3XQMbonTMscKeX0UL4h2Du5vXS0oOmjkKaLwrY9j4pXuRawhn47jeaE4qQeRRLqt5+HuovzoUaO9EH1/y4NbZsL5AO3AlOllJsjrMsPjEHdqbwvpfw0rNx1wD3A6FCF3156RgDvAYXAZinl1LBt3UPbFgMW4Fzg8vY+Ti1pEqGo+lCLihRC/A2YCpwvpVwfJU2NI2uEEI+gutzqgBsjoKm5c7wXajTLO2HlXkAFM54vpVzXnppaqyv02w0G4mnHY3UYLfOllG+FlZsMPAhMllLuaA8tR9DUB/gAqAZeBh6UUr4XKp8jpdzZnpo0mrbmZG/BMKOaPHeGLl5vAwuAi4Fs4BqgJzAEdYFrd3PRjK51IV3zgYuFGr2BEGIMKljvmvY0FyHigIeBkYA9/G4pdKG9EGXK1qJaViJxnJrVFDIX5pC56AJ0Aca1d0V+BE1BIYQ1VMaLCvT8aYQ0NXeOLwJGhZ1LfYDuwJhImItW6BoTKuNE/ffa+1i1pOWcsGN0CyoIdWp7m4vDaFqACvZOR91UvNdwXmlzoTkROalbMACEEM+iKoZfSylrQ1H21wFBKeWTob7zYBSCulrS5ZVS/i0UvBgTAXPRoCdBSlklhHCiAhcDUsqfhm+LhI6j0OSUUrqEEHFSylqDaHKgftNkKeW2CGo60rkUC9illOWR0nQEXT4p5dNCiG5AvJRyYxS1NByjTkBshMzFkTS5pZTPNLTSRUqPRtPWnLQtGKJpNMGLqDuFe0OVUSHwBTAhVEn5I2kuWqHrEiFEipSyKlLmAqDBQEg18dEvAYsQ4p9CzaXw+1DlGVGOoOluIYQtkuaiFZoeASoiZS6O4lyqi6S5aIWuSaHAxt3tbS5aeYw6Sin3RcpctELTZUKIJG0uNCc6J53BaPjzhpmG7cAcIBY1BK0jqlvEH0pG1OVrdiftoKc5pJSlUsopwHnA34G3pZRug2l6S0ZgfoCj1DRTtvOsi+F6jHIuHaOudhsRcQxaInoetVJT1GbL1WjaipOmi0QIcS6wRYZNjxwWENgV1d97PdA3lL9NqnkLTildLegxheIIOgM1UspqoUZB/A24WEq5ob30aE1HpWkMKiDy8wbDZ5Bz3DC6jKTFyJo0moggpTzhE2p4505geNi6BvN0PmooWLfQciIQdyrqOoKe84D3gZzQ8nigV5SPkdbU9PkXoCaIGhu2zhR6HR3Fc9wwuoykxciadNIpUinqAo77C6g/8BrgzNCyPewP3AE1HPWKU11XK/VMNuAxOqU1oeb+cACzGz43VBElAqmo0QhLgSkRPk6G0WUkLUbWpJNOkU5RedBQGzMGNdpiqRAiFXgCSBBCfIca+nmhlLIiChHZRtPVaj1wwIyeWlMUNYX27xZC5ANLhXr+ygeoacr9qHlcRkkpPZE8x42ky0hajKxJo4k0J0UMhhDiZdTDuXzATKAU9QTQMtTDsYSMwjNGjKbLaHq0plZpaZhQ7GlUH/1mYBXwDTAUNdPj74DdkaykjKTLSFqMrEmjiTjRbkI5loR6xHLiQeueB+4PWx4NfIwa/39K6jKaHq3p2DWhRny9CGwBMkLrklBP38yMhCaj6TKSFiNr0kmnaKUTbphqKGp/HnCTCHtok5TyTuAvYUVTgAChhymdarqMpkdrOj5NUrWYPIdqYn811EUzDjUjbUSGWxtJl5G0GFmTRhNNTqguklCf+NvAblRkdjFqjobSg8rdDtyImv47Es9dMJQuo+nRmo5b0ztSyv2h7Q5UhSWB/sCtUTzHo6LLSFqMrEmjiTYnmsGwoR5StAU1Z/+5wDbUH7lEqMls4oE/AP+N1B/YaLqMpkdrahNN78qwmV1DFZZZRmgmUyPpMpIWI2vSaKLNCWEwhHpmwT7AIqWsC1s/GRgFbJVSPi+EGCilXCPCnm55Kukymh6tqV00DZFSrmhPLUbVZSQtRtak0RgFw8dgCCEmAJ8CLwD/EUL0btgmpZyNGjqYKoT4AFgohMiIkLkwlC6j6dGa2k3T/4R6KFa7YyRdRtJiZE0ajaGIdpRpSwk1UU0msA74CeoRxr8FCoF+B5V9A9gFDDjVdBlNj9Z0Ymsymi4jaTGyJp10MmKKuoDDilOz3f0b6EJTd86vgAKgZ2i5M7ARGHSq6jKaHq3pxNZkNF1G0mJkTTrpZLRkyBgMIUQukAzsAF4CVkgpnwzbfg9q8prbpJT1Qoh4KWXNqabLaHq0phNbk9F0GUmLkTVpNIYl2g7n4ISKwF6L6r98AZiEamK8L6xMNuruQZyquoymR2s6sTUZTZeRtBhZk046GTkZ6lkkQogRwFPAT6WUq4QQ/wbOAEag5vM3o8aan42aujkJKD/VdBlNj9Z0Ymsymi4jaTGyJo3G8ETb4YQn1J/1hrDlVOCTUL478BqqWXI5EQyaMpouo+nRmk5sTUbTZSQtRtakk05GT1EXcIAYFTiVEJbvinpAUOfQuizAwkHPjTjVdBlNj9Z0Ymsymi4jaTGyJp10Mnoy1DwYUsqAlLIqtCiACsAlpSwSQkwF7gesUsrKU1mX0fRoTSe2JqPpMpIWI2vSaIyOIUeRhCOE+C9QhHpA0A3SIPP3G02X0fSA1tRajKgJjKXLSFoaMKImjcZIGNZgCCEE6smVm0Kvo6WUW6Oryni6jKZHazqxNYGxdBlJi5E1aTRGxLAGowEhxA3AMinlhmhrCcdouoymB7Sm1mJETWAsXUbS0oARNWk0RuJEMBhCGlCk0XQZTQ9oTa3FiJrAWLqMpKUBI2rSaIyE4Q2GRqPRaDSaEw9DjSLRaDQajUZzcqANhkaj0Wg0mjZHGwyNRqPRaDRtjjYYGo1Go9Fo2hxtMDQajUaj0bQ52mBoNBqNRqNpc/4//UEEOQDGaTMAAAAASUVORK5CYII=\n",
"text/plain": [
"<Figure size 432x288 with 1 Axes>"
]
},
"metadata": {
"needs_background": "light"
},
"output_type": "display_data"
}
],
"source": [
"for topic_idx in range(proportions.shape[1]):\n",
" plt.plot(sorted_unique_months, raw_counts[topic_idx] / total_counts_per_month,\n",
" label=', '.join(alltopics_top_words[topic_idx][:3]))\n",
"plt.legend(loc='center left', bbox_to_anchor=(1, 0.5))\n",
"plt.xticks(rotation = 45)\n",
"plt.ylabel(\"Prevalence of topic\")"
]
},
{
"cell_type": "markdown",
"metadata": {},
"source": [
"### What topics do candidates fit into?"
]
},
{
"cell_type": "code",
"execution_count": 551,
"metadata": {},
"outputs": [],
"source": [
"def get_topic_candidate(speaker):\n",
" indices = np.where(debates['Speaker'] == speaker)\n",
" candidate_speech = proportions[indices,]\n",
" averages = candidate_speech.mean(axis = 1).flatten()\n",
" return [(average, topic) for average, topic in zip(averages,alltopics_wordscut)]"
]
},
{
"cell_type": "code",
"execution_count": 552,
"metadata": {},
"outputs": [
{
"data": {
"text/plain": [
"[(0.5308063198969629, ['your', 'time', 'united']),\n",
" (0.14254418150515402, ['thank', 'respond', 'did']),\n",
" (0.10876893328086915, ['yes', 'inaudible', 'name']),\n",
" (0.11769529352758225, ['jake', 'correct', 'planned']),\n",
" (0.10018527178943179, ['yeah', 'oh', 'true'])]"
]
},
"execution_count": 552,
"metadata": {},
"output_type": "execute_result"
}
],
"source": [
"get_topic_candidate(\"Trump\")"
]
},
{
"cell_type": "markdown",
"metadata": {},
"source": [
"### LSA - An alternative to LDA\n",
"\n",
"Sometimes LDA just performs very poorly. You might want to try a different way of pulling topics out of a corpus. In particular, we can use [Latent Semantic Analysis](https://en.wikipedia.org/wiki/Latent_semantic_analysis) (LSA) - a dimensionality reduction technique that is commonly used in natural language processing.\n",
"\n",
"After running LSA, we can cluster this new representation of the data, and have the cluster represent the topic."
]
},
{
"cell_type": "code",
"execution_count": 553,
"metadata": {},
"outputs": [],
"source": [
"from sklearn.decomposition import TruncatedSVD\n",
"\n",
"lsa = TruncatedSVD(400)\n",
"lsa.fit(tfidf_mat)\n",
"lsa.explained_variance_.sum() #we can check how much variance is explained (like PCA)\n",
"lsa_mat = lsa.transform(tfidf_mat)\n"
]
},
{
"cell_type": "code",
"execution_count": 554,
"metadata": {},
"outputs": [],
"source": [
"from sklearn.cluster import KMeans\n",
"kmeans = KMeans(n_clusters= proportions.shape[1], random_state=1) #still using the same number of \"topics\" as LDA\n",
"cluster_assignments = kmeans.fit_predict(lsa_mat)"
]
},
{
"cell_type": "code",
"execution_count": 555,
"metadata": {},
"outputs": [
{
"name": "stdout",
"output_type": "stream",
"text": [
"Topic 0 : clinton, hillary, she, her, secretary, beat, shes, donald, polls, trump\n",
"Topic 1 : jake, id, saying, answer, question, practical, wasnt, inaudible, ok, may\n",
"Topic 2 : tax, money, only, where, theyre, things, every, done, those, these\n",
"Topic 3 : yes, sure, did, didnt, sir, apologize, responsibility, wolf, agree, absolutely\n",
"Topic 4 : thank, inaudible, yeah, respond, youre, ok, did, question, name, donald\n"
]
}
],
"source": [
"tfidf_mat_as_numpy_array = np.asarray(tfidf_mat.todense())\n",
"\n",
"for i in range(proportions.shape[1]):\n",
" mean_tf_idf_vector = tfidf_mat_as_numpy_array[cluster_assignments == i].mean(axis=0)\n",
" top_word_indices = np.argsort(-mean_tf_idf_vector)[:10]\n",
" top_words = [vocabulary[word_idx] for word_idx in top_word_indices]\n",
" print('Topic', i, ':', ', '.join(top_words))"
]
},
{
"cell_type": "markdown",
"metadata": {},
"source": [
"## Using topics to aid in prediction"
]
},
{
"cell_type": "code",
"execution_count": 556,
"metadata": {},
"outputs": [
{
"data": {
"text/plain": [
"0.29294344247942566"
]
},
"execution_count": 556,
"metadata": {},
"output_type": "execute_result"
}
],
"source": [
"#Base rate of applause\n",
"y = [1 if val == True else 0 for val in debates['FollowedByApplause']] #making output appropriate for sklearn\n",
"\n",
"sum(y)/len(y)\n",
"\n",
"#we would like our classifier to do better than the base rate (or 1 - the base rate)"
]
},
{
"cell_type": "code",
"execution_count": 557,
"metadata": {},
"outputs": [
{
"name": "stderr",
"output_type": "stream",
"text": [
"/anaconda3/envs/py37/lib/python3.7/site-packages/sklearn/linear_model/logistic.py:433: FutureWarning: Default solver will be changed to 'lbfgs' in 0.22. Specify a solver to silence this warning.\n",
" FutureWarning)\n"
]
},
{
"data": {
"text/plain": [
"LogisticRegression(C=1.0, class_weight=None, dual=False, fit_intercept=True,\n",
" intercept_scaling=1, max_iter=100, multi_class='warn',\n",
" n_jobs=None, penalty='l2', random_state=None, solver='warn',\n",
" tol=0.0001, verbose=0, warm_start=False)"
]
},
"execution_count": 557,
"metadata": {},
"output_type": "execute_result"
}
],
"source": [
"#Just using the TfIdf Vectorized Matrix\n",
"from sklearn.linear_model import LogisticRegression\n",
"\n",
"logit1 = LogisticRegression()\n",
"logit1.fit(tfidf_mat, y)"
]
},
{
"cell_type": "code",
"execution_count": 558,
"metadata": {},
"outputs": [
{
"name": "stderr",
"output_type": "stream",
"text": [
"/anaconda3/envs/py37/lib/python3.7/site-packages/sklearn/linear_model/logistic.py:433: FutureWarning: Default solver will be changed to 'lbfgs' in 0.22. Specify a solver to silence this warning.\n",
" FutureWarning)\n"
]
},
{
"data": {
"text/plain": [
"0.6995268229508123"
]
},
"execution_count": 558,
"metadata": {},
"output_type": "execute_result"
}
],
"source": [
"from sklearn.model_selection import cross_val_score\n",
"from sklearn.metrics import confusion_matrix\n",
"cross_val_score(logit, tfidf_mat, y, cv = 5).mean() #error is ~ (1- the base rate)"
]
},
{
"cell_type": "code",
"execution_count": 559,
"metadata": {
"scrolled": true
},
"outputs": [
{
"name": "stdout",
"output_type": "stream",
"text": [
"615\n"
]
},
{
"data": {
"text/plain": [
"array([[3962, 76],\n",
" [1134, 539]])"
]
},
"execution_count": 559,
"metadata": {},
"output_type": "execute_result"
}
],
"source": [
"preds1 = logit1.predict(tfidf_mat) #predictions on training set\n",
"print(preds1.sum()) #number of \"1\" predicts\n",
"\n",
"confusion_matrix(y, preds, labels=None, sample_weight=None) \n",
"\n",
"#first row represents actual negatives\n",
"#first column represents predicted negatives\n",
"\n",
"\n",
"\n",
"#we have 1134 false negatives and 76 false positives"
]
},
{
"cell_type": "markdown",
"metadata": {},
"source": [
"### Let's see if the LDA topics improve prediction"
]
},
{
"cell_type": "code",
"execution_count": 560,
"metadata": {},
"outputs": [
{
"name": "stderr",
"output_type": "stream",
"text": [
"/anaconda3/envs/py37/lib/python3.7/site-packages/sklearn/linear_model/logistic.py:433: FutureWarning: Default solver will be changed to 'lbfgs' in 0.22. Specify a solver to silence this warning.\n",
" FutureWarning)\n",
"/anaconda3/envs/py37/lib/python3.7/site-packages/sklearn/linear_model/logistic.py:433: FutureWarning: Default solver will be changed to 'lbfgs' in 0.22. Specify a solver to silence this warning.\n",
" FutureWarning)\n",
"/anaconda3/envs/py37/lib/python3.7/site-packages/sklearn/linear_model/logistic.py:433: FutureWarning: Default solver will be changed to 'lbfgs' in 0.22. Specify a solver to silence this warning.\n",
" FutureWarning)\n",
"/anaconda3/envs/py37/lib/python3.7/site-packages/sklearn/linear_model/logistic.py:433: FutureWarning: Default solver will be changed to 'lbfgs' in 0.22. Specify a solver to silence this warning.\n",
" FutureWarning)\n",
"/anaconda3/envs/py37/lib/python3.7/site-packages/sklearn/linear_model/logistic.py:433: FutureWarning: Default solver will be changed to 'lbfgs' in 0.22. Specify a solver to silence this warning.\n",
" FutureWarning)\n"
]
},
{
"data": {
"text/plain": [
"0.7070567099357978"
]
},
"execution_count": 560,
"metadata": {},
"output_type": "execute_result"
}
],
"source": [
"logit2 = LogisticRegression()\n",
"logit2.fit(proportions, y)\n",
"\n",
"cross_val_score(logit2, proportions, y, cv = 5).mean() #using the array of proportions of a statement over topics\n",
"\n",
"#Looks like an improvement"
]
},
{
"cell_type": "code",
"execution_count": 561,
"metadata": {},
"outputs": [
{
"name": "stdout",
"output_type": "stream",
"text": [
"0\n"
]
},
{
"data": {
"text/plain": [
"array([[4038, 0],\n",
" [1673, 0]])"
]
},
"execution_count": 561,
"metadata": {},
"output_type": "execute_result"
}
],
"source": [
"preds2 = logit2.predict(proportions) #predictions on training set\n",
"print(preds2.sum()) #number of \"1\" predicts\n",
"\n",
"confusion_matrix(y, preds2, labels=None, sample_weight=None) "
]
},
{
"cell_type": "markdown",
"metadata": {},
"source": [
"But the classifier is just classifying everything as negative!"
]
},
{
"cell_type": "code",
"execution_count": 562,
"metadata": {},
"outputs": [
{
"name": "stderr",
"output_type": "stream",
"text": [
"/anaconda3/envs/py37/lib/python3.7/site-packages/sklearn/linear_model/logistic.py:433: FutureWarning: Default solver will be changed to 'lbfgs' in 0.22. Specify a solver to silence this warning.\n",
" FutureWarning)\n",
"/anaconda3/envs/py37/lib/python3.7/site-packages/sklearn/linear_model/logistic.py:433: FutureWarning: Default solver will be changed to 'lbfgs' in 0.22. Specify a solver to silence this warning.\n",
" FutureWarning)\n",
"/anaconda3/envs/py37/lib/python3.7/site-packages/sklearn/linear_model/logistic.py:433: FutureWarning: Default solver will be changed to 'lbfgs' in 0.22. Specify a solver to silence this warning.\n",
" FutureWarning)\n",
"/anaconda3/envs/py37/lib/python3.7/site-packages/sklearn/linear_model/logistic.py:433: FutureWarning: Default solver will be changed to 'lbfgs' in 0.22. Specify a solver to silence this warning.\n",
" FutureWarning)\n",
"/anaconda3/envs/py37/lib/python3.7/site-packages/sklearn/linear_model/logistic.py:433: FutureWarning: Default solver will be changed to 'lbfgs' in 0.22. Specify a solver to silence this warning.\n",
" FutureWarning)\n",
"/anaconda3/envs/py37/lib/python3.7/site-packages/sklearn/linear_model/logistic.py:433: FutureWarning: Default solver will be changed to 'lbfgs' in 0.22. Specify a solver to silence this warning.\n",
" FutureWarning)\n"
]
},
{
"data": {
"text/plain": [
"0.7033812491230007"
]
},
"execution_count": 562,
"metadata": {},
"output_type": "execute_result"
}
],
"source": [
"## How about LSA topics?\n",
"cluster_assignments.shape = (-1, 1)\n",
"logit3 = LogisticRegression()\n",
"logit3.fit(cluster_assignments, y)\n",
"\n",
"cross_val_score(logit3, cluster_assignments, y, cv = 5).mean() "
]
},
{
"cell_type": "code",
"execution_count": 563,
"metadata": {},
"outputs": [
{
"data": {
"text/plain": [
"array([[4038, 0],\n",
" [1673, 0]])"
]
},
"execution_count": 563,
"metadata": {},
"output_type": "execute_result"
}
],
"source": [
"preds3 = logit3.predict(cluster_assignments)\n",
"confusion_matrix(y, preds2, labels=None, sample_weight=None) "
]
}
],
"metadata": {
"kernelspec": {
"display_name": "Python (py37)",
"language": "python",
"name": "py37"
},
"language_info": {
"codemirror_mode": {
"name": "ipython",
"version": 3
},
"file_extension": ".py",
"mimetype": "text/x-python",
"name": "python",
"nbconvert_exporter": "python",
"pygments_lexer": "ipython3",
"version": "3.7.2"
}
},
"nbformat": 4,
"nbformat_minor": 2
}
We can't make this file beautiful and searchable because it's too large.
Line,Speaker,Text,Date,Party,Location,URL
1,Woodruff,"Good evening, and thank you. We are happy to welcome you to Milwaukee for this Democratic debate. We are especially pleased to thank our partners at Facebook, who have helped us set up a vibrant conversation among voters who are undecided. And tonight you're going to hear some of their questions for the candidates. And you can follow along at home on the PBS NewsHour page on Facebook. We also want to thank our hosts, the University of Wisconsin, Milwaukee, on whose campus we meet, here in the beautiful Helen Bader Concert Hall.",2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
2,Ifill,"We want to also extend our warm thanks to Milwaukee Public Radio and Milwaukee Public Television, as well as all of our friends at the PBS member stations across the country tuning in tonight. This is the sixth time the Democrats have met face to face. Each time, we learn more about them and the presidents they say they want to be. You know you're watching -- whether you're a Democrat, a Republican, or neither -- because you believe the outcome of the election is important to you. And we believe that, too. With that, let's welcome the candidates to the stage. Senator Bernie Sanders of Vermont.",2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
3,AUDIENCE,(APPLAUSE),2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
4,Woodruff,"Welcome, Senator, great to see you. And former Secretary of State Hillary Clinton.",2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
5,AUDIENCE,(APPLAUSE),2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
6,Woodruff,Very good to be here with you.,2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
7,Clinton,Thank you.,2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
8,Ifill,Welcome to you both.,2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
9,Woodruff,"Now, a word about format. There will be two short breaks, and the rules are simple: 90 seconds for each answer and 30 seconds for the other candidate to respond.",2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
10,Ifill,"With Iowa and New Hampshire behind us, we are now broadening the conversation to America's heartland and beyond, including here in Wisconsin. Now let's turn to the candidates for their opening statements. The order was decided by coin toss. And, Senator Sanders, you go first.",2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
11,Sanders,"Well, Gwen and Judy, thank you very much for hosting this event. And, PBS, thank you. Nine months ago, our campaign began. And when it began, we had no political organization, no money, and not much name recognition outside of the state of Vermont. A lot has happened in nine months. And what has happened is, I think, the American people have responded to a series of basic truths, and that is that we have today a campaign finance system which is corrupt, which is undermining American democracy, which allows Wall Street and billionaires to pour huge sums of money into the political process to elect the candidates of their choice. And aligned with a corrupt campaign finance system is a rigged economy. And that's an economy where ordinary Americans are working longer hours for low wagers. They are worried to death about the future of their kids. And yet they are seeing almost all new income and all new wealth going to the top 1 percent. And then in addition to that, the American people are looking around and they see a broken criminal justice system. They see more people in jail in the United States of America than any other country on earth, 2.2 million. We're spending $80 billion a year locking up fellow Americans. They see kids getting arrested for marijuana, getting in prison, getting a criminal record, while they see executives on Wall Street who pay billions of dollars in settlements and get no prosecution at all. No criminal records for them. I think what our campaign is indicating is that the American people are tired of establishment politics, tired of establishment economics. They want a political revolution in which millions of Americans stand up, come together, not let the Trumps of the world divide us, and say, you know what, in this great country, we need a government that represents all of us, not just a handful of wealthy campaign contributors. Thank you.",2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
12,Ifill,"Thank you, Senator Sanders.",2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
13,AUDIENCE,(APPLAUSE),2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
14,Ifill,"Thank you, Senator Sanders. Secretary Clinton.",2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
15,Clinton,"I'm running for president to knock down all the barriers that are holding Americans back, and to rebuild the ladders of opportunity that will give every American a chance to advance, especially those who have been left out and left behind. I know a lot of Americans are angry about the economy. And for good cause. Americans haven't had a raise in 15 years. There aren't enough good-paying jobs, especially for young people. And yes, the economy is rigged in favor of those at the top. We both agree that we have to get unaccountable money out of our political system and that we have to do much more to ensure that Wall Street never wrecks main street again. But I want to go further. I want to tackle those barriers that stand in the way of too many Americans right now. African-Americans who face discrimination in the job market, education, housing, and the criminal justice system. Hardworking immigrant families living in fear, who should be brought out of the shadows so they and their children can have a better future. Guaranteeing that women's work finally gets the pay, the equal pay that we deserve. I think America can only live up to its potential when we make sure that every American has a chance to live up to his or her potential. That will be my mission as president. And I think together we will make progress.",2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
16,Woodruff,Thank you both.,2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
17,AUDIENCE,(APPLAUSE),2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
18,Woodruff,Thank you both. And we'll be right back after a short break to begin questions.,2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
19,OTHER,(COMMERCIAL),2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
20,Woodruff,"And, welcome back to this PBS Newshour debate, Democratic debate, here in Milwaukee. Let's get right to the questions. Senator Sanders, to you first. Coming off the results in Iowa and New Hampshire, there are many voters who are taking a closer look at you, and your ideas, and they're asking how big a role do you foresee for the federal government? It's already spending 21% of the entire U.S. economy. How much larger would government be in the lives of Americans under a Sanders presidency?",2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
21,Sanders,"Well, to put that in a context, Judy, I think we have to understand that in the last 30 years in this country there has been a massive transfer of wealth going from the hands of working families into the top one-tenth of 1% whose percentage of wealth has doubled. In other words, the very rich are getting richer, almost everybody is going -- getting poorer. What I believe is the United States, in fact, should join the rest of the industrialized world and guarantee healthcare to all people. Our Medicare for all single-payer proposal will save the average middle class family $5,000 a year. I do believe that in the year 2016 we have to look in terms of public education as colleges as part of public education making public colleges and universities tuition free. I believe that when real unemployment is close to 10%, and when our infrastructure, our roads, our bridges, our water systems, Flint, Michigan comes to mind. Our waste water plants, our rail, our airports, in many places are disintegrating. Yeah, we can create 13 million jobs by rebuilding our infrastructure at a cost of a trillion dollars.",2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
22,Woodruff,"But, my question is how big would government be? Would there be any limit on the size of the role of government...",2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
23,Sanders,"... Of course there will be a limit, but when today you have massive levels of income and wealth inequality, when the middle class is disappearing, you have the highest rate of child poverty of almost any major country on Earth. Yes, in my view, the government of a democratic society has a moral responsibility to play a vital role in making sure all of our people have a decent standard of living.",2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
24,Clinton,"Judy, I think that the best analysis that I've seen based on Senator Sanders plans is that it would probably increase the size of the federal government by about 40%, but what is most concerning to me is that in looking at the plans -- let's take healthcare for example. Last week in a CNN town hall, the Senator told a questioner that the questioner would spend about $500 dollars in taxes to get about $5,000 dollars in healthcare. Every progressive economist who has analyzed that says that the numbers don't add up, and that's a promise that cannot be kept, and it's really important now that we are getting into the rest of the country that both of us are held to account for explaining what we are proposing because, especially with healthcare, this is not about math. This is about people's lives, and we should level with the American people about what we can do to make sure they get quality affordable healthcare.",2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
25,Sanders,"Well, let us level with the American people. Secretary Clinton has been going around the country saying Bernie Sanders wants to dismantle the Affordable Care Act, people are going to lose their MedicAid, they're going to lose their CHIP program. I have fought my entire life to make sure that healthcare is a right for all people. We're not going to dismantle everything. But, here is the truth. Twenty-nine million people have no health insurance today in America. We pay, by far, the highest prices in the world for prescription drugs. One out of five Americans can't even afford the prescriptions their doctors are writing. Millions of people have high deductibles and co-payments. What I said, and let me repeat it, I don't know what economists Secretary Clinton is talking to, but what I have said, and let me repeat it, that yes, the middle -- the family right in the middle of the economy would pay $500 dollars more in taxes, and get a reduction in their healthcare costs of $5,000 dollars. In my view healthcare is a right of all people, not a privilege, and I will fight for",2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
26,AUDIENCE,(APPLAUSE),2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
27,Clinton,"I can only say that we both share the goal of universal health care coverage. You know, before it was called Obamacare, it was called Hillarycare. And I took on the drug companies and I took on the insurance companies to try to get us universal health care coverage.",2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
28,AUDIENCE,(APPLAUSE),2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
29,Clinton,"And why I am a staunch supporter of President Obama's principal accomplishment -- namely the Affordable Care Act -- is because I know how hard it was to get that done. We are at 90 percent coverage. We have to get the remaining 10. I've set forth very specific plans about how to get costs down, especially prescription drug costs. And it is difficult to in any way argue with the goal that we both share. But I think the American people deserve to know specifically how this would work. If it's Medicare for all, then you no longer have the Affordable Care Act, because the Affordable Care Act, as you know very well, is based on the insurance system, based on exchanges, based on a subsidy system. The Children's Health Insurance Program, which I helped to create, which covers 8 million kids, is also a different kind of program. So if you're having Medicare for all, single-payer, you need to level with people about what they will have at the end of the process you are proposing. And based on every analysis that I can find by people who are sympathetic to the goal, the numbers don't add up, and many people will actually be worse off than they are right now.",2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
30,Ifill,"Final thought, Senator.",2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
31,Sanders,"That is absolutely inaccurate. Look, here is the reality, folks. There is one major country on Earth that does not guarantee health care to all people. There is one major country -- the United States -- which ends up spending almost three times per capita what they do in the U.K. guaranteeing health care to all people, 50 percent more than they do in France guaranteeing health care to all people, far more than our Canadian neighbors, who guarantee health care to all people. Please do not tell me that in this country, if -- and here's the if -- we have the courage to take on the drug companies, and have the courage to take on the insurance companies, and the medical equipment suppliers, if we do that, yes, we can guarantee health care to all people in a much more cost effective way.",2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
32,Clinton,"Well, let me just -- let me just say, once",2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
33,AUDIENCE,(APPLAUSE),2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
34,Clinton,"...that, having been in the trenches fighting for this, I believe strongly we have to guarantee health care. I believe we are on the path to doing that. The last thing we need is to throw our country into a contentious debate about health care again. And we are not England. We are not France. We inherited a system that was set up during World War II; 170 million Americans get health insurance right now through their employers. So what we have tried to do and what President Obama succeeded in doing was to build on the health care system we have, get us to 90 percent coverage. We have to get the other 10 percent of the way to 100. I far prefer that and the chances we have to be successful there than trying to start all over again, gridlocking our system, and trying to get from zero to 100 percent.",2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
35,AUDIENCE,(APPLAUSE),2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
36,Ifill,"I'd like to move along. I'd like to move along. Secretary Clinton, you might -- you also have proposed fairly expansive ideas about government. You may remember this pledge from a State of the Union Address at which I believe you were present, in which these words were said: ""The era of big government is over."" You may remember that. When asked your feelings about the federal government this week, 61 percent of New Hampshire Democrats told exit pollsters that they are angry or at least dissatisfied. Given what you and Senator Sanders are proposing, an expanding government in almost every area of our lives, is it fair for Americans who fear government to fear you?",2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
37,Clinton,"No. But it is absolutely fair and necessary for Americans to vet both of our proposals, to ask the really hard questions about, what is it we think we can accomplish, why do we believe that, and what would be the results for the average American family? In my case, whether it's health care, or getting us to debt-free tuition, or moving us toward paid family leave, I have been very specific about where I would raise the money, how much it would cost, and how I would move this agenda forward. I've tried to be as specific to answer questions so that my proposals can be vetted, because I feel like we have to level with people for the very reason, Gwen, that you are mentioning. There is a great deal of skepticism about the federal government. I'm aware of that. It comes from the right, from the left, from people on all sides of the political spectrum. So we have a special obligation to make clear what we stand for, which is why I think we should not make promises we can't keep, because that will further, I think, alienate Americans from understanding and believing we can together make some real changes in people's lives.",2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
38,Ifill,But I haven't heard either of you put a price tag on your -- you,2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
39,CANDIDATES,(CROSSTALK),2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
40,Clinton,"I will put a price tag. My price tag is about $100 billion a year. And again, paid for. And what I have said is I will not throw us further into debt. I believe I can get the money that I need by taxing the wealthy, by closing loopholes, the things that we are way overdue for doing. And I think once I'm in the White House we will have enough political capital to be able to do that. But I am conscious of the fact that we have to also be very clear, especially with young people, about what kind of government is going to do what for them and what it will cost.",2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
41,Ifill,Senator?,2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
42,Sanders,"Well, Secretary Clinton, you're not in the White House yet. And let us be clear that every proposal that I have introduced has been paid for. For example, all right, who in America denies that we have an infrastructure that is crumbling? Roads, bridges, water systems, wastewater plants, who denies that? Who denies that real unemployment today, including those who have given up looking for work and are working part-time is close to 10 percent? Who denies that African-American youth unemployment, real, is over 50 percent. We need to create jobs. So yes, I will do away with the outrageous loopholes that allow profitable multinational corporations to stash billions of dollars in the Cayman Islands and Bermuda and in a given year pay zero, zero in federal income tax. Yes, I'm going to do away with that. We will use those proceeds, a hundred billion a year, to invest in rebuilding our infrastructure. Yes, I believe that as a result of the illegal behavior on Wall Street, that they are a Wall Street that drove this country into the worst economic downturn since the Great Recession -- Great Depression. Yes, I do believe that now after the American people bailed Wall Street out, yes, they should pay a Wall Street speculation tax so that we can make public colleges and universities tuition-free. We bailed them out. Now it is their time to help the middle class.",2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
43,AUDIENCE,(APPLAUSE),2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
44,Clinton,"You know, I think, again, both of us share the goal of trying to make college affordable for all young Americans. And I have set forth a compact that would do just that for debt-free tuition. We differ, however, on a couple of key points. One of them being that if you don't have some agreement within the system from states and from families and from students, it's hard to get to where we need to go. And Senator Sanders's plan really rests on making sure that governors like Scott Walker contribute $23 billion on the first day to make college free. I am a little skeptical about your governor actually caring enough about higher education to make any kind of commitment like that.",2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
45,AUDIENCE,(APPLAUSE),2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
46,Woodruff,"Next, we're going to...",2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
47,Sanders,A brief response.,2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
48,Woodruff,"Very brief, thank you.",2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
49,Sanders,"Here is where we are with public education. A 100, 150 years ago incredibly brave Americans said, you know what, working class kids, low income kids should not have to work in factories or on the farms. Like rich kids, they deserve to get a free education. And that free education of extraordinary accomplishment was from first grade to 12th grade. The world has changed. This is 2016. In many ways, a college degree today is equivalent to what a high school degree was 50, 60 years ago. So, yes, I do believe that when we talk about public education in America, today, in a rapidly changing world, we should have free tuition at public colleges and universities. That should be a right of all Americans regardless of the income of their families.",2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
50,AUDIENCE,(APPLAUSE),2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
51,Woodruff,"Secretary Clinton, your campaign -- you and your campaign have made a clear appeal to women voters. You have talked repeatedly about the fact, we know you would be, if elected, the first woman president. But in New Hampshire 55 percent of the women voters supported and voted for Senator Sanders. What are women missing about you?",2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
52,Clinton,"Well, first, Judy, I have spent my entire adult life working toward making sure that women are empowered to make their own choices, even if that choice is not to vote for me. I believe that it's most important that we unleash the full potential of women and girls in our society. And I feel very strongly that I have an agenda, I have a record that really does respond to a lot of the specific needs that the women in our country face. So I'm going to keep making that case. I'm going to keep making sure that everything I've done, everything that I stand for is going to be well known. But I have no argument with anyone making up her mind about who to support. I just hope that by the end of this campaign there will be a lot more supporting me. That's what I'm working towards.",2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
53,AUDIENCE,(APPLAUSE),2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
54,Woodruff,"As you know, just quickly, as you know, your strong supporter, former Secretary of State Madeleine Albright, said the other day that there's a special place in Hell for women who don't support other women. Do you agree with what she said?",2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
55,Clinton,"Well, look, I think that she's been saying that for as long as I've known her, which is about 25 years. But it doesn't change my view that we need to empower everyone, women and men, to make the best decisions in their minds that they can make. That's what I've always stood for. And when it comes to the issues that are really on the front lines as to whether we're going to have equal pay, paid family leave, some opportunity for, you know, women to go as far as their hard work and talent take them, I think that we still have some barriers to knock down, which is why that's at the core of my campaign. I would note, just for a historic aside, somebody told me earlier today we've had like 200 presidential primary debates, and this is the first time there have been a majority of women on the stage. So, you know, we'll take our progress wherever we can find it.",2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
56,AUDIENCE,(APPLAUSE),2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
57,Woodruff,"Senator Sanders, you're in the minority, but we still want to hear from you.",2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
58,AUDIENCE,(LAUGHTER),2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
59,Sanders,"Look, we are fighting for every vote that we can get from women, from men, straight, gay, African-Americans, Latinos, Asian-Americans. We are trying to bring America together around an agenda that works for working families and the middle class. I am very proud, if my memory is not correct -- I think I am -- that I have a lifetime -- and I've been in Congress a few years -- a lifetime 100 percent pro-choice voting record. I am very proud that over the years we have had the support in my state of Vermont from very significant majorities of women. I'm very proud that I support legislation that is currently in the Congress, got support of almost all progressive Democrats in the House and Senate, which says we will end the absurdity of women today making 79 cents on the dollar compared to men. And we will join the rest of the other -- the industrialized world in saying that paid family and medical leave should be a right of all working families.",2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
60,AUDIENCE,(APPLAUSE),2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
61,Ifill,"Senator, do you worry at all that you will be the instrument of thwarting history, as Senator Clinton keeps claiming, that she might be the first woman president?",2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
62,Sanders,"Well, you know, I think, from a historical point of view, somebody with my background, somebody with my views, somebody who has spent his entire life taking on the big money interests, I think a Sanders victory would be of some historical accomplishment, as well.",2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
63,AUDIENCE,(APPLAUSE),2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
64,Clinton,"You know, I have said -- I have said many times, you know, I'm not asking people to support me because I'm a woman. I'm asking people to support me because I think I'm the most qualified, experienced, and ready person to be the president and the commander-in-chief.",2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
65,AUDIENCE,(APPLAUSE),2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
66,Clinton,"And I appreciate greatly Senator Sanders' voting record. And I was very proud to get the endorsement of the Planned Parenthood Action Fund, because I've been a leader on these issues. I have gone time and time again to take on the vested interests who would keep women's health care decisions the province of the government instead of women ourselves. I'm very proud that NARAL endorsed me because when it comes to it we need a leader on women's issues. Somebody who, yes, votes right, but much more than that, leads the efforts to protect the hard-fought gains that women have made, that, make no mistake about it, are under tremendous attack, not just by the Republican presidential candidates but by a whole national effort to try to set back women's rights. So I'm asking women, I'm asking men, to support me because I'm ready to go into the White House on January 20th, 2017 and get to work on both domestic and foreign policy challenges.",2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
67,AUDIENCE,(APPLAUSE),2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
68,Woodruff,Final comment.,2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
69,Sanders,"Let me concur with the secretary, no question women's rights are under fierce attack all over this country. And I will tell you something that really galls me. I will not shock anybody to suggest that in politics there is occasionally a little bit of hypocrisy. Just a little bit. All over this country we have Republican candidates for president saying we hate the government. Government is the enemy. We're going to cut Social Security to help you. We're going to cut Medicare and Medicaid, federal aid to education to help you, because the government is so terrible. But, by the way, when it comes to a woman having to make a very personal choice, ah, in that case, my Republican colleagues love the government and want the government to make that choice for every woman in America. If that's not hypocrisy, I don't know what hypocrisy is.",2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
70,AUDIENCE,(APPLAUSE),2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
71,Ifill,"Thank you both. We turn now to the first of several questions from our partners at Facebook. They were selected from a curated group of people we've been following of undecided voters. The first comes from Claudia Looze, a 54-year-old woman who works as a program manager at a public affairs cable network in Madison, Wisconsin. And she writes: ""Wisconsin is number one in African-American male incarceration, according to a University of Wisconsin study. They found that Wisconsin's incarceration rate for black men, which is at 13 percent, was nearly double the country's rate. What can we do across the nation to address this?"" Senator Sanders.",2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
72,Sanders,This is one of the great tragedies in our country today. And we can no longer continue to sweep it under the rug. It has to be dealt with. Today a male African-American baby born today stands a one-in-four chance of ending up in jail. That is beyond unspeakable. So what we have to do is the radical reform of a broken criminal justice system.,2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
73,AUDIENCE,(APPLAUSE),2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
74,Sanders,"What we have to do is end over-policing in African-American neighborhoods. The reality is that both the African-American community and the white community do marijuana at about equal rates. The reality is four times as many blacks get arrested for marijuana. Truth is that far more blacks get stopped for traffic violations. The truth is that sentencing for blacks is higher than for whites. We need fundamental police reform, clearly, clearly, when we talk about a criminal justice system. I would hope that we could all agree that we are sick and tired of seeing videos on television of unarmed people, often African-Americans, shot by police officers. What we have got to do is make it clear that any police officer who breaks the law will, in fact, be held accountable.",2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
75,AUDIENCE,(APPLAUSE),2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
76,Clinton,"You know, I completely agree with Senator Sanders. The first speech I gave in this campaign back in April was about criminal justice reform and ending the era of mass incarceration. The statistics from Wisconsin are particularly troubling, because it is the highest rate of incarceration for African-Americans in our nation, twice the national average. And we know of the tragic, terrible event that lead to the death of Dontre Hamilton right here in Milwaukee, a young man unarmed, who should still be with us. His family certainly believes that. And so do I. So we have work to do. There have been some good recommendations about what needs to happen. President Obama's policing commission came out with some. I have fully endorsed those. But we have to restore policing that will actually protect the communities that police officers are sworn to protect. And, then we have to go after sentencing, and that's one of the problems here in Wisconsin because so much of what happened in the criminal justice system doesn't happen at the federal level, it happens at the state and local level. But, I would also add this. There are other racial discrepancies. Really systemic racism in this state, as in others, education, in employment, in the kinds of factors that too often lead from a position where young people, particularly young men, are pushed out of school early, are denied employment opportunities. So, when we talk about criminal justice reform, and ending the era of mass incarceration, we also have to talk about jobs, education, housing, and other ways of helping communities.",2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
77,AUDIENCE,(APPLAUSE),2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
78,Sanders,"Nothing that Secretary Clinton said do I disagree with. This mandatory sentencing, a very bad idea. It takes away discretion from judges. We have got to demilitarize local police departments so they do not look like occupying armies.",2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
79,AUDIENCE,(APPLAUSE),2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
80,Sanders,"We have got to make sure that local police departments look like the communities they serve in their diversity. And, where we are failing abysmally is in the very high rate of recidivism we see. People are being released from jail without the education, without the job training, without the resources that they need to get their lives together, then they end up -- we're shocked that they end up back in jail again. So, we have a lot of work to do. But, here is a pledge I've made throughout this campaign, and it's really not a very radical pledge. When we have more people in jail, disproportionately African American and Latino, than China does, a communist authoritarian society four times our size. Here's my promise, at the end of my first term as president we will not have more people in jail than any other country. We will invest in education, and jobs for our kids, not incarceration and more jails.",2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
81,AUDIENCE,(APPLAUSE),2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
82,Woodruff,"Secretary Clinton, I was talking recently with a 23 year old black woman who voted for President Obama because she said she thought relations between the races would get better under his leadership, and his example. Hardly anyone believes that they have. Why do you think race relations would be better under a Clinton presidency? What would you do that the nation's first African American has not been able to?",2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
83,Clinton,"Well, I'm just not sure I agree completely with that assessment. I think under President Obama we have seen a lot of advances, the Affordable Care Act has helped more African Americans than any other group to get insurance, to be taken care of, but we also know a lot more than we did. We have a lot more social media, we have everybody with a cellphone. So, we are seeing the dark side of the remaining systemic racism that we have to root out in our society. I think President Obama has set a great example. I think he has addressed a lot of these issues that have been quite difficult, but he has gone forward. Now, what we have to do is to build on an honest conversation about where we go next. We now have much more information about what must be done to fix our criminal justice system. We now have some good models about how better to provide employment, housing and education. I think what President Obama did was to exemplify the importance of this issue as our first African American president, and to address it both from the President's office, and through his advocacy, such as working with young men, and Mrs. Obama's work with young women. But, we can't rest. We have work to do, and we now know a lot more than we ever did before. So, it's going to be my responsibility to make sure we move forward to solve these problems that are now out in the open. Nobody can deny them. To use the Justice Department, as we just saw, they have said they are going to sue Ferguson, that entered into a consent agreement, and then tried to back out. So, we're going to enforce the law, we're going to change policing practices, we're going to change incarceration practices, but we're also going to emphasize education, jobs, and",2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
84,AUDIENCE,(APPLAUSE),2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
85,Woodruff,Senator Sanders?,2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
86,AUDIENCE,(APPLAUSE),2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
87,Sanders,"Well, I think, Judy, what has to be appreciated is that, as a result of the disastrous and illegal behavior on Wall Street, millions of lives were hurt. People lost their jobs, their homes, their life savings. Turns out that the African-American community and the Latino community were hit especially hard. As I understand it, the African-American community lost half of their wealth as a result of the Wall Street collapse. So when you have childhood African-American poverty rates of 35 percent, when you have youth unemployment at 51 percent, when you have unbelievable rates of incarceration -- which, by the way, leaves the children back home without a dad or even a mother -- clearly, we are looking at institutional racism. We are looking at an economy in which the rich get richer and the poor get poorer. And sadly, in America today, in our economy, a whole lot of those poor people are African-American.",2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
88,Woodruff,So race relation was be better under a Sanders presidency than they've been?,2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
89,Sanders,"Absolutely, because what we will do is say, instead of giving tax breaks to billionaires, we are going to create millions of jobs for low-income kids so they're not hanging out on street corners. We're going to make sure that those kids stay in school or are able to get a college education. And I think when you give low-income kids -- African-American, white, Latino kids -- the opportunities to get their lives together, they are not going to end up in jail. They're going to end up in the productive economy, which is where we want them.",2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
90,AUDIENCE,(APPLAUSE),2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
91,Ifill,"Let me turn this on its head, because when we talk about race in this country, we always talk about African-Americans, people of color. I want to talk about white people, OK?",2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
92,Sanders,White people?,2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
93,Ifill,I know.,2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
94,AUDIENCE,(LAUGHTER),2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
95,Ifill,"So many people will be surprised to find out that we are sitting in one of the most racially polarized metropolitan areas in the country. By the middle of this century, the nation is going to be majority nonwhite. Our public schools are already there. If working-class, white Americans are about to be outnumbered, are already underemployed in many cases, and one study found they are dying sooner, don't they have a reason to be resentful, Senator -- Secretary Clinton?",2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
96,Clinton,"Look, I am deeply concerned about what's happening in every community in America, and that includes white communities, where we are seeing an increase in alcoholism, addiction, earlier deaths. People with a high school education or less are not even living as long as their parents lived. This is a remarkable and horrifying fact. And that's why I've come forward with, for example, a plan to revitalize coal country, the coalfield communities that have been so hard hit by the changing economy, by the reduction in the use of coal. You know, coal miners and their families who helped turn on the lights and power our factories for generations are now wondering, has our country forgotten us? Do people not care about all of our sacrifice? And I'm going to do everything I can to address distressed communities, whether they are communities of color, whether they are white communities, whether they are in any part of our country. I particularly appreciate the proposal that Congressman Jim Clyburn has -- the 10-20-30 proposal -- to try to spend more federal dollars in communities with persistent generational poverty. And you know what? If you look at the numbers, there are actually as many, if not more white communities that are truly being left behind and left out. So, yes, I do think it would be a terrible oversight not to try to address the very real problems that white Americans -- particularly those without a lot of education whose jobs have -- you know, no longer provided them or even no longer present in their communities, because we have to focus where the real hurt is. And that's why, as president, I will look at communities that need special help and try to deliver that.",2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
97,AUDIENCE,(APPLAUSE),2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
98,Ifill,"Senator -- Senator, I want you to respond to that, but I also want you to -- am I wrong? Is it even right to be describing this as a matter of race?",2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
99,Sanders,"Yeah, you can, because African-Americans and Latinos not only face the general economic crises of low wages, and high unemployment, and poor educational opportunities, but they face other problems, as well. So, yes, we can talk about it as a racial issue. But it is a general economic issue. And here's what the economic issue is. The wages that high school graduates receive today are significantly less, whether you are white or black, than they used to be. Why is that? Because of a series of disastrous trade policies which have allowed corporate America through NAFTA and Permanent Normal Trade Relations with China, Secretary Clinton and I disagree on those issues. But view is those trade policies have enabled corporate America to shut down in this country, throw millions of people out on the street. Now no one thinks that working in the factory is the greatest job in the world. But you know what, you can make a middle class wage, you have decent health care, decent benefits. You once had a pension. Those jobs, in many cases, are now gone. They're off to China. Now you are a worker, white worker, black worker, who had a decent job, that manufacturing job is gone. What have you got now? You are working at McDonald's? That is why there is massive despair all over this country. People have worked their entire lives. They're making a half, two-thirds what they used to make. Their kids are having a hard time finding any work at all. And that's why this study, which shows that if you can believe it today, for white working class people between 45 and 54, life expectancy is actually going down. Suicide, alcoholism, drugs, that's why we need to start paying attention to the needs of working families in this country, and not just a handful of billionaires who have enormous economic and political power.",2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
100,AUDIENCE,(APPLAUSE),2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
101,Woodruff,"Thank you. Senator Sanders, one of the causes of anxiety for working class Americans is connected to immigrants. President Obama, as you know, has issued executive actions to permit some 5 million undocumented immigrants who are living now in the United States to come out of the shadows without fear of deportation to get work permits. Would you go further than that? And if so, how specifically would you do it? Should an undocumented family watching this debate tonight, say, in Nevada, rest easy, not fear of further deportations under a Sanders presidency?",2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
102,Sanders,"The answer is yes. We've got 11 million undocumented people in this country. I have talked to some of the young kids with tears rolling down their cheeks, are scared to death that today they may or their parents may be deported. I believe that we have got to pass comprehensive immigration reform, something that I strongly supported. I believe that we have got to move toward a path toward citizenship. I agree with President Obama who used executive orders to protect families because the Congress, the House was unable or refused to act. And in fact I would go further. What would motivate me and what would be the guiding light for me in terms of immigration reform, Judy, is to bring families together, not divide them up. And let me say this also. Somebody who is very fond of the president, agrees with him most of the time, I disagree with his recent deportation policies. And I would not support those. Bottom line is a path towards citizenship for 11 million undocumented people, if Congress doesn't do the right thing, we use the executive orders of the president.",2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
103,AUDIENCE,(APPLAUSE),2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
104,Clinton,"I strongly support the president's executive actions. I hope the Supreme Court upholds them. I think there is constitutional and legal authority for the president to have done what he did. I am against the raids. I'm against the kind of inhumane treatment that is now being visited upon families, waking them up in the middle of the night, rounding them up. We should be deporting criminals, not hardworking immigrant families who do the very best they can and often are keeping economies going in many places in our country. I'm a strong supporter of comprehensive immigration reform. Have been ever since I was in the Senate. I was one of the original sponsors of the DREAM Act. I voted for comprehensive immigration reform in 2007. Senator Sanders voted against it at that time. Because I think we have to get to comprehensive immigration reform with a path to citizenship. And as president I would expand enormous energy, literally call every member of Congress that I thought I could persuade. Hopefully after the 2016 election, some of the Republicans will come to their senses and realize we are not going to deport 11 or 12 million people in this country. And they will work with me to get comprehensive immigration",2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
105,AUDIENCE,(APPLAUSE),2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
106,Sanders,"Secretary Clinton, I do have a disagreement here. If my memory is correct, I think when we saw children coming from these horrendous, horrendously violent areas of Honduras and neighboring countries, people who are fleeing drug violence and cartel violence, I thought it was a good idea to allow those children to stay in this country. That was not, as I understand it, the secretary's position. In terms of 2007 immigration reform, yeah, I did vote against it. I voted against it because the Southern Poverty Law Center, among other groups, said that the guest-worker programs that were embedded in this agreement were akin to slavery. Akin to slavery, where people came into this country to do guest work were abused, were exploited, and if they stood up for their rights, they'd be thrown out of this country. So it wasn't just me who opposed it. It was LULAC, one of the large Latino organizations in this country. It was the AFL-CIO. It was some of the most progressive members of the United States Congress who opposed it for that reason. But we are where we are right now. And where we are right now is we have got to stand up to the Trumps of the world who are trying to divide us up. What we have to do right now is bring our people together and understand that we must provide a path towards citizenship for 11 million undocumented people.",2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
107,Clinton,"Two quick responses. One, with respect to the Central American children, I made it very clear that those children needed to be processed appropriately, but we also had to send a message to families and communities in Central America not to send their children on this dangerous journey in the hands of smugglers. I've also called for the end of family detention, for the end of privately-run detention centers, along with private prisons, which I think are really against the common good and the rule of law. And with respect to the 2007 bill, this was Ted Kennedy's bill. And I think Ted Kennedy had a very clear idea about what needed to be done. And I was proud to stand with him and support it.",2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
108,AUDIENCE,(APPLAUSE),2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
109,Woodruff,I'd like...,2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
110,Sanders,"Well, let me just respond. I worked with Ted Kennedy. He was the chairman of my committee. And I loved Ted Kennedy. But on this issue, when you have one of the large Latino organizations in America saying vote no, and you have the AFL-CIO saying vote no, and you have leading progressive Democrats, in fact, voting no, I don't apologize for that vote. But in terms of the children, I don't know to whom you're sending a message. Who are you sending a message to? These are children who are leaving countries and neighborhoods where their lives are at stake. That was the fact. I don't think we use them to send a message. I think we welcome them into this country and do the best we can to help them get their lives together.",2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
111,AUDIENCE,(APPLAUSE),2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
112,Clinton,"Well, that just wasn't -- that just wasn't the fact, Senator. The fact is that there was a great effort made by the Obama administration and others to really send a clear message, because we knew that so many of these children were being abused, being treated terribly while they tried to get to our border. So we have a disagreement on this. I think now what I've called for is counsel for every child so that no child has to face any kind of process without someone who speaks and advocates for that child so that the right decision hopefully can be made.",2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
113,AUDIENCE,(APPLAUSE),2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
114,Ifill,"If you would allow me now to move on, we've been talking about children. I want to talk about seniors. That takes us to our second Facebook question from Farheen Hakeem, who writes, ""My father"" -- she's a 40-year-old woman who works for a nonprofit here in Milwaukee. And she writes, ""My father gets just $16 in food assistance per month as part of Medicaid's family community program in Milwaukee County for low-income seniors. How will you as president work to ensure low-income seniors get their basic needs met?"" Start with you, Senator Sanders.",2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
115,Sanders,"OK. You know, you judge a nation not by the number of millionaires and billionaires it has, but by how you treat, we treat, the most vulnerable and fragile people in our nation. And by those standards, we're not doing particularly well. We have the highest rate of childhood poverty among almost any major country on Earth. And in terms of seniors, there are millions of seniors -- and I've talked to them in my state of Vermont and all over this country -- who are trying to get by on $11,000, $12,000, $13,000 a year Social Security. And you know what? You do the arithmetic. You can't get by on $11,000, $12,000, $13,000 a year. And here's an area where Secretary Clinton and I believe we have a difference. I have long supported the proposition that we should lift the cap on taxable income coming into the Social Security Trust Fund, starting at $250,000.",2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
116,AUDIENCE,(APPLAUSE),2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
117,Sanders,"And when we -- and when we do that, we don't do what the Republicans want, which is to cut Social Security. We do what the American people want, to expand Social Security by $1,300 a year for people under $16,000, and we extend the life of Social Security for 58 years. Yes, the wealthiest people, the top 1.5 percent, will pay more in taxes. But a great nation like ours should not be in a position where elderly people are cutting their pills in half, where they don't have decent nutrition, where they can't heat their homes in the wintertime. That is not what America should be about. If elected president, I will do everything I can to expand Social Security benefits, not just for seniors, but for disabled veterans, as well.",2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
118,AUDIENCE,(APPLAUSE),2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
119,Clinton,"I think -- I think it's fair to say we don't have a disagreement. We both believe there has to be more money going into the Social Security system. I've said I'm looking at a couple of different ways, one which you mentioned, Senator, but also trying to expand the existing tax to passive income that wealthy people have so that we do get more revenue into the Social Security Trust Fund. I have a slightly different approach, though, about what we should do with that initially. First, rather than expand benefits for everyone, I do want to take care of low-income seniors who worked at low-wage jobs. I want to take care of women. When the Social Security program was started in the 1930s, not very many women worked. And women have been disadvantaged ever since. They do not get any credit for their care-taking responsibilities. And the people who are often the most hard-hit are widows, because when their spouse dies, they can lose up to one-half of their Social Security monthly payment. So we have no disagreement about the need to buttress Social Security, get more revenue into the program. But I want to start by helping those people who are most at risk, the ones who, yes, are cutting their pills in half, who don't believe they can make the rent, who are worried about what comes next for them.",2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
120,Sanders,In all due,2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
121,AUDIENCE,(APPLAUSE),2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
122,Sanders,"...In all due respect, Secretary Clinton, a lot of the progressive groups, the online groups have really asked you a simple question. Are you coming onboard a proposal? And what is that proposal? Now, the proposal that I have outlined, you know, should be familiar to you, because it is what essentially Barack Obama campaigned on in 2008. You opposed him then. I would hope that you would come onboard and say that this is the simple and straightforward thing to do. We're asking the top 1.5 percent, including passive income, to start paying a little bit more so that the elderly and disabled vets in this country can live with security and dignity. I hope you will make a decision soon on this.",2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
123,Clinton,"Well, Senator, look, I think we're in vigorous agreement here. We both want to get more revenue in. I have yet to see a proposal that you're describing that the -- raising the cap would apply to passive income. That has not been...",2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
124,Sanders,That's my bill. Check it out.,2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
125,Clinton,"Well, that has not been a part of most of the proposals that I've seen. I'm interested in making sure we get the maximum amount of revenue from those who can well afford to provide it. So I'm going to come up with the best way forward. We're going to end up in the same place. We're going to get more revenue. I'm going to prioritize those recipients who need the most help first.",2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
126,AUDIENCE,(APPLAUSE),2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
127,Woodruff,"We're going to move on. Secretary Clinton, your campaign has recently ramped up criticism of Senator Sanders for attending Democratic Party fundraisers from which you say he benefited. But nearly half of your financial sector donations appear to come from just two wealthy financiers, George Soros and Donald Sussman, for a total of about $10 million. You have said that there's no quid pro quo involved. Is that also true of the donations that wealthy Republicans give to Republican candidates, contributors including the Koch Brothers?",2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
128,Clinton,"I can't speak for the Koch Brothers, you're referring to a Super PAC that we don't coordinate with, that was set up to support President Obama, that has now decided that they want to support me. They are the ones who should respond to any questions. Let's talk about our campaigns. I'm very proud of the fact that we have more than 750 thousand donors, and the vast majority of them are giving small contributions. So, I'm proud of Senator Sanders, and his supporters. I think it's great that Senator Sanders, President Obama and I have more donors than any three people who have every run, certainly on the Democratic side. That's the way it should be, and I'm going to continue to reach out to thank all my online contributors for everything they are doing for me, to encourage them and help me do more just as Senator Sanders is. I think that is the real key here. We both have a lot of small donors. I think that sets us apart from a lot of what's happening right now on the Republican side. The Koch Brothers have a very clear political agenda. It is an agenda, in my view, that would do great harm to our country. We're going to fight it as hard as we can, and we're going to fight whoever the Republicans nominate who will depend on the Koch Brothers, and others.",2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
129,AUDIENCE,(APPLAUSE),2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
130,Woodruff,I'm asking if Democratic donors are different than Republican donors.,2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
131,Sanders,"What we are talking about in reality is a corrupt campaign finance system, that's what we're talking about. We have to be honest about it. It is undermining American democracy. When extraordinarily wealthy people make very large contributions to Super PACs, and in many cases in this campaign, Super PACs have raised more money than individual candidates have, OK? We had a decision to make early on, do we do a Super PAC? And, we said no. We don't represent Wall Street, we don't represent the billionaire class, so it ends up I'm the only candidate up here of the many candidates who has no Super PAC. But, what we did is we said to the working families of this country, look, we know things are tough, but if you want to help us go beyond establishment politics, and establishment economics, send us something. And, it turns out that up until -- and this has blown me away, never in a million years would I have believed that I would be standing here tonight telling you that we have received three and a half million individual contributions from well over a million people. Now, Secretary Clinton's Super PAC, as I understand it, received $25 million dollars last reporting period, $15 million dollars from Wall Street. Our average contribution is $27 dollars, I'm very proud of that.",2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
132,AUDIENCE,(APPLAUSE),2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
133,Ifill,"Senator Sanders, are you saying...",2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
134,Clinton,"We are mixing apples and oranges. My 750,000 donors have contributed more than a million and a half donations. I'm very proud. That, I think, between the two of us demonstrates the strength of the support we have among people who want to see change in our country. But, the real issue, I think, that the Senator is injecting into this is that if you had a Super PAC, like President Obama has, which now says it wants to support me. It's not my PAC. If you take donations from Wall Street, you can't be independent. I would just say, I debated then Senator Obama numerous times on stages like this, and he was the recipient of the largest number of Wall Street donations of anybody running on the Democratic side ever. Now, when it mattered, he stood up and took on Wall Street. He pushed through, and he passed the Dodd-Frank regulation, the toughest regulations since the 1930's. So, let's not in anyway imply here that either President Obama or myself, would in anyway not take on any vested interested, whether it's Wall Street, or drug companies, or insurance companies, or frankly, the gun lobby to stand up to do what's best for the American",2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
135,AUDIENCE,(APPLAUSE),2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
136,Sanders,The people aren't dumb. Why in God's name does Wall Street...,2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
137,AUDIENCE,(APPLAUSE),2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
138,Sanders,But let's not -- but let's not -- let's not insult -- let's not insult the intelligence of the American people. People aren't dumb. Why in God's name does Wall Street make huge campaign contributions? I guess just for the fun of it; they want to throw money around.,2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
139,AUDIENCE,(LAUGHTER),2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
140,Sanders,Why does the pharmaceutical industry make huge campaign contributions? Any connection maybe to the fact that our people pay the highest prices in the world for prescription drugs? Why does the fossil fuel industry pay -- spend huge amounts of money on campaign contributions? Any connection to the fact that not one Republican candidate for president thinks and agrees with the scientific community that climate change is real and that we have got to transform our energy system?,2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
141,AUDIENCE,(APPLAUSE),2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
142,Sanders,"And when we talk about Wall Street, let's talk about Wall Street. I voted for Dodd-Frank, got an important amendment in it. In my view, it doesn't go anywhere near far enough. But when we talk about Wall Street, you have Wall Street and major banks have paid $200 billion in fines since the great crash. No Wall Street executive has been prosecuted.",2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
143,AUDIENCE,(APPLAUSE),2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
144,Clinton,"Well, let's just -- let's just follow up on this, because, you know, I've made it very clear that no bank is too big to fail, no executive too powerful to jail, and because of Dodd-Frank, we now have in law a process that the president, the Federal Reserve, and others can use if any bank poses a systemic risk. I think that's a major accomplishment. I agree, however, it doesn't go far enough, because what it focuses on are the big banks, which Senator Sanders has talked about a lot, for good reason. I go further in the plan that I've proposed, which has been called the toughest, most effective, comprehensive plan for reining in the other risks that the financial system could face. It was an investment bank, Lehman Brothers, that contributed to our collapse. It was a big insurance company, AIG. It was Countrywide Mortgage. My plan would sweep all of them into a regulatory framework so we can try to get ahead of what the next problems might be. And I believe that not only Barney Frank, Paul Krugman, and others, have said that what I have proposed is the most effective. It goes in the right direction. We have Dodd-Frank. We can use it to break up the banks, if that's appropriate. But let's not kid ourselves. As we speak, there are new problems on the horizon. I want to get ahead of those, and that's why I've proposed a much more comprehensive approach to deal with all of",2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
145,CANDIDATES,(CROSSTALK),2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
146,AUDIENCE,(APPLAUSE),2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
147,Woodruff,We have to go to a break. We...,2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
148,Sanders,"Let me, you know, again, respectfully disagree with Secretary Clinton here. When you have three out of the four largest financial institutions in this country bigger today than they were when we bailed them out because they were too big to fail, when you have six financial institutions having assets equivalent to 58 percent of the GDP of America, while issuing two-thirds of the credit cards and a third of the mortgages, look, I think if Teddy Roosevelt were alive today, that great trust-buster would have said break them up. I think he would have been right. I think he would have said bring back a 21st-century Glass-Steagall legislation. I think that would have been right, as well. That's my view.",2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
149,AUDIENCE,(APPLAUSE),2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
150,Woodruff,"All right. Thank you both. It is time for a break. And when we come back, we're going to turn to some new topics, including how these candidates will keep America safe.",2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
151,Ifill,There's a lot more to come in just a few minutes. Stay with us for more of the PBS NewsHour Democratic Debate.,2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
152,OTHER,(COMMERCIAL),2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
153,Woodruff,"Welcome back to the Democratic presidential debate. Before we return to our questions, we have a follow-up question from our Facebook group. And it is to Senator Sanders. Senator, it comes from Bill Corfield. He is a 55-year-old musician from Troy, Ohio. And he asks: ""Are there any areas of government you would like to reduce?""",2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
154,Sanders,"Hey, I'm in the United States Senate, and anyone who doesn't think that there is an enormous amount of waste and inefficiency and bureaucracy throughout government would be very, very mistaken. I believe in government, but I believe in efficient government, not wasteful government.",2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
155,Ifill,"How about you, Senator Clinton -- Secretary Clinton?",2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
156,Clinton,"Absolutely. And, you know, there are a number of programs that I think are duplicative and redundant and not producing the results that people deserve. There are a lot of training programs and education programs that I think can be streamlined and put into a much better format so that if we do continue them they can be more useful, in public schools, community colleges, and colleges and universities. I would like to take a hard look at every part of the federal government and really do the kind of analysis that would rebuild some confidence in people that we're taking a hard look about what we have, you know, and what we don't need anymore. And that's what I intend to do.",2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
157,Sanders,"If I could just answer that, we have also got to take a look at the waste and inefficiencies in the Department of Defense, which is the one major agency of government that has not been able to be audited. And I have the feeling you're going to find a lot of cost overruns there and a lot of waste and duplicative activities.",2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
158,AUDIENCE,(APPLAUSE),2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
159,Ifill,"We spent the first part of this debate talking about domestic insecurity. The second part, we want to talk about our foreign policy insecurities. And we want to start with a question for you, Secretary Clinton, about America's role in the world. Americans are becoming increasingly worried that attacks abroad are coming home, that they already are, in fact, here. According to exit polls from last week, from earlier this week, more than two-thirds of Democrats in New Hampshire are concerned about sending their children to fight in wars they can't win. They fret that the next attack is just around the corner and we are not ready. Are we?",2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
160,Clinton,"Look, I think we are readier than we used to be, but it's a constant effort that has to be undertaken to make sure we are as ready as we need to be. We have made a lot of improvements in our domestic security since 9/11, and we have been able to foil and prevent attacks, yet we see the terrible attack in San Bernardino and know that we haven't done enough. So we have to go after this both abroad and at home. We have to go after terrorist networks, predominantly ISIS -- that's not the only one, but let's focus on that for a minute. We have to lead a coalition that will take back territory from ISIS. That is principally an American-led air campaign that we are now engaged in. We have to support the fighters on the ground, principally the Arabs and the Kurds who are willing to stand up and take territory back from Raqqa to Ramadi. We have to continue to work with the Iraqi army so that they are better prepared to advance on some of the other strongholds inside Iraq, like Mosul, when they are able to do so. And we have to cut off the flow of foreign funding and foreign fighters. And we have to take on ISIS online. They are a sophisticated purveyor of propaganda, a celebrator of violence, an instigator of attacks using their online presence. Here at home, we've got to do a better job coordinating between federal, state, and local law enforcement. We need the best possible intelligence not only from our own sources, but from sources overseas, that can be a real-time fusion effort to get information where it's needed. But the final thing I want to say about this is the following. You know, after 9/11, one of the efforts that we did in New York was if you see something or hear something suspicious, report it. And we need to do that throughout the country. But we need to understand that American Muslims are on the front line of our defense. They are more likely to know what's happening in their families and their communities, and they need to feel not just invited, but welcomed within the American society. So when somebody like Donald Trump and",2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
161,AUDIENCE,(APPLAUSE),2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
162,Clinton,"...stirs up the demagoguery against American Muslims, that hurts us at home. It's not only offensive; it's dangerous. And the same goes for overseas, where we have to put together a coalition of Muslim nations. I know how to do that. I put together the coalition that imposed the sanctions on Iran that got us to the negotiating table to put a lid on their nuclear weapons program.",2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
163,AUDIENCE,(APPLAUSE),2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
164,Clinton,"And you don't go tell Muslim nations you want them to be part of a coalition when you have a leading candidate for president of the United States who insults their religion. So this has to be looked at overall, and we have to go at it from every possible angle.",2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
165,Ifill,Senator Sanders...,2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
166,Sanders,"Let me -- let me just say this. What a President of the United States has got to do and what is his or her major, I think, responsibility is to, a, make certain that we keep our people safe, that we work with allies around the world to protect democratic values, that we do all that we can to create a world of peace and prosperity. I voted against the war in Iraq because I listened very carefully to what President Bush and Vice President Cheney had to say and I didn't believe them. And if you go to my Web site,berniesanders.com, what you find is not only going to help lead the opposition to that war, but much of what I feared would happen when I spoke on the floor of the House, in fact, did happen in terms of the instability that occurred. Now I think an area in kind of a vague way, or not so vague, where Secretary Clinton and I disagree is the area of regime change. Look, the truth is that a powerful nation like the United States, certainly working with our allies, we can overthrow dictators all over the world. And God only knows Saddam Hussein was a brutal dictator. We could overthrow Assad tomorrow if we wanted to. We got rid of Gadhafi. But the point about foreign policy is not just to know that you can overthrow a terrible dictator, it's to understand what happens the day after. And in Libya, for example, the United States, Secretary Clinton, as secretary of state, working with some other countries, did get rid of a terrible dictator named Gadhafi. But what happened is a political vacuum developed. ISIS came in, and now occupies significant territory in Libya, and is now prepared, unless we stop them, to have a terrorist foothold. But this is nothing new. This has gone on 50 or 60 years where the United States has been involved in overthrowing governments. Mossadegh back in 1953. Nobody knows who Mossadegh was, democratically-elected prime minister of Iran. He was overthrown by British and American interests because he threatened oil interests of the British. And as a result of that, the shah of Iran came in, terrible dictator. The result of that, you had the Iranian Revolution coming in, and that is where we are today. Unintended consequences. So I believe as president I will look very carefully about unintended consequences. I will do everything I can to make certain that the United States and our brave men and women in the military do not get bogged down in perpetual warfare in the Middle East.",2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
167,AUDIENCE,(APPLAUSE),2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
168,Clinton,"If I could just respond. Two points. One, Senator Sanders voted in 1998 on what I think is fair to call a regime change resolution with respect to Iraq, calling for the end of Saddam Hussein's regime. He voted in favor of regime change with Libya, voted in favor of the Security Council being an active participate in setting the parameters for what we would do, which of course we followed through on. I do not believe a vote in 2002 is a plan to defeat ISIS in 2016. It's very important we focus on the threats we face today, and that we understand the complicated and dangerous world we are in. When people go to vote in primaries or caucuses, they are voting not only for the president, they are voting for the commander-in-chief. And it's important that people really look hard at what the threats and dangers we face are, and who is best prepared for dealing with them. As we all remember, Senator Obama, when he ran against me, was against the war in Iraq. And yet when he won, he turned to me, trusting my judgment, my experience, to become secretary of state. I was very honored to be asked to do that and very honored to serve with him those first four years.",2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
169,AUDIENCE,(APPLAUSE),2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
170,Sanders,"Judy, if I can, there is no question, Secretary Clinton and I are friends, and I have a lot of respect for her, that she has enormous experience in foreign affairs. Secretary of state for four years. You've got a bit of experience, I would imagine. But judgment matters as well. Judgment matters as well. And she and I looked at the same evidence coming from the Bush administration regarding Iraq. I lead the opposition against it. She voted for it. But more importantly, in terms of this Libya resolution that you have noted before, this was a virtually unanimous consent. Everybody voted for it wanting to see Libya move toward democracy, of course we all wanted to do that. That is very different than talking about specific action for regime change, which I did not support.",2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
171,Clinton,"You did support a U.N. Security Council approach, which we did follow up on. And, look, I think it's important to look at what the most important counterterrorism judgment of the first four years of the Obama administration was, and that was the very difficult decision as to whether or not to advise the president to go after bin Laden. I looked at the evidence. I looked at the intelligence. I got the briefings. I recommended that the president go forward. It was a hard choice. Not all of his top national security advisors agreed with that. And at the end of the day, it was the president's decision. So he had to leave the Situation Room after hearing from the small group advising him and he had to make that decision. I'm proud that I gave him that advice. And I'm very grateful to the brave Navy SEALs who carried out that mission.",2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
172,AUDIENCE,(APPLAUSE),2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
173,Sanders,"Judy, one area very briefly...",2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
174,Woodruff,Just a final word.,2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
175,Sanders,"Where the secretary and I have a very profound difference, in the last debate -- and I believe in her book -- very good book, by the way -- in her book and in this last debate, she talked about getting the approval or the support or the mentoring of Henry Kissinger. Now, I find it rather amazing, because I happen to believe that Henry Kissinger was one of the most destructive secretaries of state in the modern history of this country.",2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
176,AUDIENCE,(APPLAUSE),2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
177,Sanders,"I am proud to say that Henry Kissinger is not my friend. I will not take advice from Henry Kissinger. And in fact, Kissinger's actions in Cambodia, when the United States bombed that country, overthrew Prince Sihanouk, created the instability for Pol Pot and the Khmer Rouge to come in, who then butchered some 3 million innocent people, one of the worst genocides in the history of the world. So count me in as somebody who will not be listening to Henry Kissinger.",2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
178,AUDIENCE,(APPLAUSE),2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
179,Ifill,Secretary Clinton?,2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
180,Clinton,"Well, I know journalists have asked who you do listen to on foreign policy, and we have yet to know who that is.",2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
181,Sanders,"Well, it ain't Henry Kissinger. That's for sure.",2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
182,Clinton,That's fine. That's fine.,2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
183,AUDIENCE,(LAUGHTER),2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
184,Clinton,"You know, I listen to a wide variety of voices that have expertise in various areas. I think it is fair to say, whatever the complaints that you want to make about him are, that with respect to China, one of the most challenging relationships we have, his opening up China and his ongoing relationships with the leaders of China is an incredibly useful relationship for the United States of America.",2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
185,AUDIENCE,(APPLAUSE),2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
186,Clinton,"So if we want to pick and choose -- and I certainly do -- people I listen to, people I don't listen to, people I listen to for certain areas, then I think we have to be fair and look at the entire world, because it's a big, complicated world out there.",2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
187,Sanders,It is.,2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
188,Clinton,"And, yes, people we may disagree with on a number of things may have some insight, may have some relationships that are important for the president to understand in order to best protect the United States.",2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
189,AUDIENCE,(APPLAUSE),2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
190,Sanders,"I find -- I mean, it's just a very different, you know, historical perspective here. Kissinger was one of those people during the Vietnam era who talked about the domino theory. Not everybody remembers that. You do. I do. The domino theory, you know, if Vietnam goes, China, da, da, da, da, da, da, da. That's what he talked about, the great threat of China. And then, after the war, this is the guy who, in fact, yes, you're right, he opened up relations with China, and now pushed various type of trade agreements, resulting in American workers losing their jobs as corporations moved to China. The terrible, authoritarian, Communist dictatorship he warned us about, now he's urging companies to shut down and move to China. Not my kind of guy.",2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
191,AUDIENCE,(APPLAUSE),2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
192,Woodruff,"Senator, let me -- let me move on to another country with which the U.S. has a complicated relationship, Senator Sanders, and that's Russia. On the one hand, we're aware that Russia is a country that the United States needs to cooperate with. Just tonight, Secretary of State John Kerry has announced what appears to be an agreement with the Russians to lead -- that could lead toward a ceasefire in Syria, would be the first cessation of conflict in that country, in that civil war in five years, but it comes at a very high price, because not only have all -- have we seen the deaths, the removal of so many people, millions of people, we now see the Russians in the last few weeks have bombed in a way that benefits President Assad, has not gone after ISIS. So my question to you is, when it comes to dealing with Russia, are you prepared -- how hard are you prepared to be? Are you prepared to institute further economic sanctions? Would you be prepared to move militarily if Russia moves on Eastern Europe? It seems to me that Russia recently has gotten the better of the United States.",2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
193,Sanders,"Well, this is what I would say. It is a complicated relationship. I congratulate Secretary of State John Kerry and the president for working on this agreement. As you've indicated, what is happening in Syria, the number of people, the hundreds of thousands of people who have been killed -- men, women, 20,000 children, the people who are forced to flee their own country -- their own country -- it is unspeakable. It is a real horror. Now, what I think is that right now we have got to do our best in developing positive relations with Russia. But let's be clear: Russia's aggressive actions in the Crimea and in Ukraine have brought about a situation where President Obama and NATO -- correctly, I believe -- are saying, you know what, we're going to have to beef up our troop level in that part of the world to tell Putin that his aggressiveness is not going to go unmatched, that he is not going to get away with aggressive action. I happen to believe that Putin is doing what he is doing because his economy is increasingly in shambles and he's trying to rally his people in support of him. But bottom line is: The president is right. We have to put more money. We have to work with NATO to protect Eastern Europe against any kind of Russian aggression.",2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
194,Clinton,"Well, with respect to Syria, I really do appreciate the efforts that Secretary Kerry has made. The agreement on humanitarian relief now needs to be implemented, because there are enclaves that are literally filled with starving people throughout Syria. The agreement on a cease-fire, though, is something that has to be implemented more quickly than the schedule that the Russians agreed to. You know, the Russians wanted to buy time. Are they buying time to continue their bombardment on behalf of the Assad regime to further decimate what's left of the opposition, which would be a grave disservice to any kind of eventual cease-fire? So I know Secretary Kerry is working extremely hard to try to move that cease-fire up as quickly as possible. But I would add this. You know, the Security Council finally got around to adopting a resolution. At the core of that resolution is an agreement I negotiated in June of 2012 in Geneva, which set forth a cease-fire and moving toward a political resolution, trying to bring the parties at stake in Syria together. This is incredibly complicated, because we've got Iran as a big player, in addition to Russia. We have Saudi Arabia, Turkey, and others who have very important interests in their view. This is one of the areas I've disagreed with Senator Sanders on, who has called for Iranian troops trying to end civil war in Syria, which I think would be a grave mistake. Putting Iranian troops right on the border of the Golan right next to Israel would be a nonstarter for me. Trying to get Iran and Saudi Arabia to work together, as he has suggested in the past, is equally a nonstarter. So let's support what Secretary Kerry and the president are doing, but let's hope that we can accelerate the cease-fire, because I fear that the Russians will continue their bombing, try to do everything they can to destroy what's left of the opposition. And remember, the Russians have not gone after ISIS or any of the other terrorist groups. So as we get a cease-fire and maybe some humanitarian corridors, that still leaves the terrorist groups on the doorstep of others in Syria, Turkey, Lebanon, Jordan, and the like. So we've got some real work to do, and let's try to make sure we actually implement what has been agreed to with the Russians.",2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
195,AUDIENCE,(APPLAUSE),2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
196,Sanders,"Let me just -- just say this. For a start, the secretary and I disagree -- and I think the president does not agree with her -- in terms of the concept of a no-fly zone in Syria. I think you do have a humanitarian tragedy there, as I mentioned a moment ago. I applaud Secretary Kerry and the president for trying to put together this agreement. Let's hope that it holds. But furthermore, what we have got to do, I'm sorry, yes, I do believe that we have got to do everything that we can, and it will not happen tomorrow. But I do hope that in years to come, just as occurred with Cuba, 10, 20 years ago, people would say, reach normalized relations with Cuba. And by the way, I hope we can end the trade embargo with Cuba as well. But the idea that we some day maybe have decent relations with Iran, maybe put pressure on them so they end their support for terrorism around the world, yes, that is something I want to achieve. And I believe that the best way to do that is to be aggressive, to be principled, but to have the goal of trying to improve relations. That's how you make peace in the world. You sit down and you work with people, you make demands of people, in this case demanding Iran stop the support of international terrorism.",2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
197,AUDIENCE,(APPLAUSE),2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
198,Clinton,"Well, I respectfully disagree. I think we have achieved a great deal with the Iranian nuclear agreement to put a lid on the Iranian nuclear weapons program. That has to be enforced absolutely with consequences for Iran at the slightest deviation from their requirements under the agreement. I do not think we should promise or even look toward normalizing relations because we have a lot of other business to get done with Iran. Yes, they have to stop being the main state sponsor of terrorism. Yes, they have to stop trying to destabilize the Middle East, causing even more chaos. Yes, they've got to get out of Syria. They've got to quit sponsoring Hezbollah and Hamas. They have got to quit trying to ship rockets into Gaza that can be used against Israel. We have a lot of work to do with Iran before we ever say that they could move toward normalized relations with us.",2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
199,AUDIENCE,(APPLAUSE),2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
200,Sanders,"We have a lot of work to do. We have a lot of work to do. But I recall when Secretary Clinton ran against then-Senator Obama, she was critical of him for suggesting that maybe you want to talk to Iran, that you want to talk to our enemies. I have no illusion. Of course you are right. Iran is sponsoring terrorism in many parts of the world, destabilizing areas. Everybody knows that. But our goal is, in fact, to try over a period of time to, in fact, deal with our enemies, not just ignore that reality.",2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
201,CANDIDATES,(CROSSTALK),2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
202,Clinton,"... Senator Sanders, from a debate in 2008, quote what I said. The question was, would you meet with an adversary without conditions? I said no. And in fact, in Obama administration, we did not meet with anybody without conditions. That is the appropriate approach in order to get the results that you are seeking.",2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
203,AUDIENCE,(APPLAUSE),2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
204,Sanders,"No, I think the idea was that president -- then-Senator Obama was wrong for suggesting that it is a good idea to talk to your opponents. It's easier to talk to your friends. It's harder to talk to your enemies. I think we should do both.",2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
205,AUDIENCE,(APPLAUSE),2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
206,Ifill,"Let me move on. You have both mentioned the humanitarian tragedies which have been an outgrowth in part of what has happened in Syria and in Libya. More than a million refugees entered Europe in 2015. Another 76,000 just last month, that is about 2,000 arrivals every day. Nearly 400 people have been lost at sea so far this year, crossing the Mediterranean. And there are reports that 10,000 children are missing. If we are leaders in this world, where should the U.S. be on this? What should the United States be doing, Secretary Clinton?",2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
207,Clinton,"Well, I was pleased that NATO announced just this week that they're going to start doing patrols in the Mediterranean, in the Aegean, to try to interdict the smugglers, to try to prevent the kind of tragedies that we have seen all too often, also to try to prevent more refugees from coming to the European Union. And it's especially significant that they are working with both Turkey and Greece in order to do this. With respect to the United States, I think our role in NATO, our support for the E.U., as well as our willingness to take refugees so long as they are thoroughly vetted and that we have confidence from intelligence and other sources that they can come to our country, we should be doing our part. And we should back up the recent donors conference to make sure we have made our contribution to try to deal with the enormous cost that these refugees are posing to Turkey and to members of the E.U. in particular. This is a humanitarian catastrophe. There is no other description of it. So we do as the United States have to support our friends, our allies in Europe. We have to stand with them. We have to provide financial support to them. We have to provide the NATO support to back up the mission that is going on. And we have to take properly vetted refugees ourselves.",2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
208,Sanders,"A couple of years ago, I had the opportunity to go on a congressional delegation. And I went to one of these Turkish refugee camps right on the border of Syria. And what a sad sight that was: Men, women, children forced out of their homes. And Turkey, by the way, did a very decent thing, providing what was reasonable housing and conditions for those people. It seems to me that given our history as a nation that has been a beacon of hope for the oppressed, for the downtrodden, that I very strongly disagree with those Republican candidates who say, you know what, we've got to turn our backs on women and children who left their home with nothing, nothing at all. That is not what America is supposed to be about. So I believe that working with Europe -- and, by the way, you know, we've got some very wealthy countries there in that part of the world. You got Kuwait and you got Qatar and you got Saudi Arabia. They have a responsibility, as well. But I think this is a worldwide -- that the entire world needs to come together to deal with this horrific refugee crisis we're seeing from Syria and Afghanistan, as well.",2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
209,AUDIENCE,(APPLAUSE),2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
210,Woodruff,"And we have a final question from our Facebook family. And it goes to Senator Sanders. It comes from Robert Andrews. He's a 40-year-old stay-at-home dad in Dover, Massachusetts. He says, ""The world has seen many great leaders in the course of human history. Can you name two leaders -- one American and one foreign -- who would influence your foreign policy decisions? And why do you see them as -- why are they influential?""",2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
211,Sanders,"You know, Franklin Delano Roosevelt took the oath of office in 1933 at a time when 25 percent of the American people were unemployed, country was in incredible despair. And he stood before the American people and he said, ""The only thing we have to fear is fear itself,"" a profound statement that gave the American people the courage to believe that, yes, we could get out of that terrible depression. And then what he did is redefine the role of government. You know, you had Herbert Hoover before that saying, no, we got to only worry about the deficit. So what if mass unemployment exists? So what if children are going hungry? That's not the role of the government. And when FDR said, ""Yeah, it is,"" that we're going to use all of the resources that we have to create jobs, to build homes, to feed people, to protect the farmers, we are a nation which if we come together there is nothing that we could not accomplish. And kind of -- that's what I see our campaign is about right now. In this particular moment of serious crises, saying to the American people don't give up on the political process. don't listen to the Trumps of the world and allowing them to divide us. If we reengage and get involved, yeah, we can have health care for all people, we can make public colleges and universities tuition-free. We do not have to have massive levels of income and wealth inequality. In the same light, as the foreign leader, Winston Churchill's politics were not my politics. He was kind of a conservative guy in many respects. But nobody can deny that as a wartime leader, he rallied the British people when they stood virtually alone against the Nazi juggernaut and rallied them and eventually won an extraordinary victory. Those are two leaders that I admire very much.",2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
212,AUDIENCE,(APPLAUSE),2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
213,Clinton,"I certainly agree with FDR for all the reasons Senator Sanders said. And I agree about the role that he played both in war and in peace on the economy and defeating fascism around the world. I would choose Nelson Mandela for his generosity of heart, his understanding of the need for reconciliation. But I want to -- I want to follow up on something having to do with leadership, because, you know, today Senator Sanders said that President Obama failed the presidential leadership test. And this is not the first time that he has criticized President Obama. In the past he has called him weak. He has called him a disappointment. He wrote a forward for a book that basically argued voters should have buyers' remorse when it comes to President Obama's leadership and legacy. And I just couldn't agree -- disagree more with those kinds of comments. You know, from my perspective, maybe because I understand what President Obama inherited, not only the worst financial crisis but the antipathy of the Republicans in Congress, I don't think he gets the credit he deserves for being a",2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
214,AUDIENCE,(APPLAUSE),2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
215,Clinton,...who got us out of,2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
216,AUDIENCE,(APPLAUSE),2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
217,Clinton,"...put us on firm ground, and has sent us into the future. And it is a -- the kind of criticism that we've heard from Senator Sanders about our president I expect from Republicans. I do not expect from someone running for the Democratic nomination to succeed President Obama.",2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
218,Sanders,That,2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
219,AUDIENCE,(APPLAUSE),2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
220,Sanders,"...Madam Secretary, that is a low blow. I have worked with President Obama for the last seven years. When President Obama came into office we were losing 800,000 jobs a month, 800,000 jobs a month. We had a $1.4 trillion deficit. And the world's financial system is on the verge of collapse. As a result of his efforts and the efforts of Joe Biden against unprecedented, I was there in the Senate, unprecedented Republican obstructionism, we have made enormous progress.",2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
221,AUDIENCE,(APPLAUSE),2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
222,Sanders,"But you know what? Last I heard we lived in a democratic society. Last I heard, a United States senator had the right to disagree with the president, including a president who has done such an extraordinary job. So I have voiced criticisms. You're right. Maybe you haven't. I have. But I think to suggest that I have voiced criticism, this blurb that you talk about, you know what the blurb said? The blurb said that the next president of the United States has got to be aggressive in bringing people into the political process. That's what I said. That is what I believe.",2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
223,AUDIENCE,(APPLAUSE),2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
224,Sanders,"President Obama and I are friends. As you know, he came to Vermont to campaign for me when he was a senator. I have worked for his re-election. His first election and his re-election. But I think it is really unfair to suggest that I have not been supportive of the president. I have been a strong ally with him on virtually every issue. Do senators have the right to disagree with the president? Have you ever disagreed with a president? I suspect you may have.",2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
225,AUDIENCE,(APPLAUSE),2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
226,Clinton,"You know, Senator, what I am concerned about, is not disagreement on issues, saying that this is what I would rather do, I don't agree with the president on that, calling the president weak, calling him a disappointment, calling several times that he should have a primary opponent when he ran for re-election in 2012, you know, I think that goes further than saying we have our disagreements. As a senator, yes, I was a senator. I understand we can disagree on the path forward. But those kinds of personal assessments and charges are ones that I find particularly troubling.",2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
227,Ifill,"Senator, if you would like respond to -- you may respond to that but it is time for closing statements and you can use your time for closing statements to do that.",2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
228,Sanders,"Well, one of us ran against Barack Obama. I was not that candidate.",2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
229,AUDIENCE,(APPLAUSE),2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
230,Sanders,"All right, look, this has been a great debate. A lot of interesting issues have come together. Let me conclude by just saying this. There is no president, in my view, not Hillary Clinton, not Bernie Sanders, who has the capability or the power to take on Wall Street, large campaign donors, the corporate media, the big money interests in this country alone. This campaign is not just about electing a president. What this campaign is about is creating a process for a political revolution in which millions of Americans, working people who have given up on the political process, they don't think anybody hears their pains or their concerns. Young people for whom getting involved in politics is as, you know, it's like going to the moon. It ain't going to happen. Low income people who are not involved in the political process. What this campaign is not only about electing someone who has the most progressive agenda, it is about bringing tens of millions of people together to demand that we have a government that represents all of us and not just the 1 percent, who today have so much economic and political power. Thank you all very much.",2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
231,AUDIENCE,(APPLAUSE),2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
232,Woodruff,Secretary Clinton?,2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
233,Clinton,"You know, we -- we agree that we've got to get unaccountable money out of politics. We agree that Wall Street should never be allowed to wreck Main Street again. But here's the point I want to make tonight. I am not a single-issue candidate, and I do not believe we live in a single-issue country. I think that a lot of what we have to overcome to break down the barriers that are holding people back, whether it's poison in the water of the children of Flint, or whether it's the poor miners who are being left out and left behind in coal country, or whether it is any other American today who feels somehow put down and oppressed by racism, by sexism, by discrimination against the LGBT community, against the kind of efforts that need to be made to root out all of these barriers, that's what I want to take on. And here in Wisconsin, I want to reiterate: We've got to stand up for unions and working people who have done it",2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
234,AUDIENCE,(APPLAUSE),2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
235,Clinton,"...the American middle class, and who are being attacked by ideologues, by demagogues. Yes, does Wall Street and big financial interests, along with drug companies, insurance companies, big oil, all of it, have too much influence? You're right. But if we were to stop that tomorrow, we would still have the indifference, the negligence that we saw in Flint. We would still have racism holding people back. We would still have sexism preventing women from getting equal pay. We would still have LGBT people who get married on Saturday and get fired on Monday. And we would still have governors like Scott Walker and others trying to rip out the heart of the middle class by making it impossible to organize and stand up for better wages and working conditions. So I'm going to keep talking about tearing down all the barriers that stand in the way of Americans fulfilling their potential, because I don't think our country can live up to its potential unless we give a chance to every single American to live up to theirs.",2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
236,AUDIENCE,(APPLAUSE),2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
237,Ifill,"Thank you. Thank you Senator Clinton. Thank you, Senator Sanders. We also want to thank our partners at Facebook and our hosts here at the University of Wisconsin, Milwaukee.",2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
238,AUDIENCE,(APPLAUSE),2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
239,Woodruff,"And we want to thank our audience, our quiet audience here in Helen Bader Concert Hall, and to all of you watching at home. Thank you all. Stay tuned for analysis of the debate and the overall race for the Democratic nomination. That's coming up next here on PBS stations and online atPBS.org/NewsHour.",2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
240,Ifill,I'm going to remain here in Milwaukee tomorrow evening for a special edition of Washington Week here on PBS.,2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
241,Woodruff,And I'm going to be returning to Washington. I hope you'll join us for the PBS NewsHour tomorrow and every night. That's it from all of us here in Milwaukee. We thank you.,2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
242,Ifill,Good night.,2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
243,AUDIENCE,(APPLAUSE),2/11/16,Democratic,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=111520
1,Tapper,"Live from the Bank United Center on the campus of the University of Miami, this is the CNN Republican Presidential debate. For our viewers in the United States and around the world, welcome to Miami Florida, I'm Jake Tapper. In just five days voters will go to the polls here in this state as well as in Ohio, Illinois, North Carolina and Missouri. The race for the Republican nomination for president could change dramatically. Florida and Ohio each have a large number of delegates at stake and they award all of them to the candidate who wins. They're a winner-take-all state. So that's the first time that will happen in this primary season and this is the last debate before that critical round of voting. We hope tonight the candidates will give the voters specifics on their visions for America. So now let's welcome the candidates. Ohio Governor John Kasich.",3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
2,AUDIENCE,(APPLAUSE),3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
3,Tapper,Senator Ted Cruz of Texas.,3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
4,AUDIENCE,(APPLAUSE),3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
5,Tapper,Real estate developer and businessman Donald Trump.,3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
6,AUDIENCE,(APPLAUSE),3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
7,Tapper,Senator Marco Rubio of Florida.,3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
8,AUDIENCE,(APPLAUSE),3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
9,Tapper,"Ladies and gentlemen, the Republican candidates for president of the United States.",3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
10,AUDIENCE,(APPLAUSE),3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
11,Tapper,"Before we begin this evening, we want to remember former first lady Nancy Reagan, who passed away this week. Her funeral will be held tomorrow and we would like to take a moment of silence to remember Nancy Reagan.",3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
12,OTHER,(MOMENT.OF.SILENCE),3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
13,Tapper,"Now, please rise for our national anthem performed by the Frost Singers from the University of Miami.",3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
14,OTHER,(ANTHEM),3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
15,AUDIENCE,(APPLAUSE),3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
16,Tapper,"Thanks to the Frost Singers from the University of Miami. Candidates, you can now take your positions behind the podiums while I briefly explain the rules. As moderator, I will attempt to guide the discussion, asking questions and followups. Joining me in the questioning this evening will be Washington Times reporter Stephen Dinan, CNN Chief Political Correspondent Dana Bash, and Salem Radio's Hugh Hewitt. Candidates, you have one minute and 15 seconds to answer each question, and 45 seconds to respond to followups or for rebuttals if your name is invoked. That's longer than you've had in previous debates. Timing lights will be visible. Those lights will warn you when time is up. And as you requested, a bell will also sound, like this.",3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
17,OTHER,(BELL),3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
18,Tapper,"We know that each of you wants to debate these important issues, but please wait until you are called upon and please do not talk over one another. These are the rules to which all of you agreed. Our goal this evening is a serious debate on the issues. It's time now for opening statements. You'll each have 30 seconds. Governor Kasich, we will start with you.",3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
19,Kasich,"Well, thank you. You know, I look in the faces of people all across this country, and I know they want to be hopeful. And many are hopeful. Look, I can take conservative policies to the White House, to Washington, to restore the strength of our economy. But I also want to transfer power, money and influence to where you live, because I believe the strength in this country rests in the neighborhoods, the families, the communities and our states. And I believe it's a new partnership -- a partnership that can allow us to restore the spirit of America and strengthen America for the best century we've ever had. Thank you.",3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
20,AUDIENCE,(APPLAUSE),3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
21,Tapper,Senator Rubio?,3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
22,Rubio,"Every election is important. I believe this is the most important election in a generation. Because what's at stake in this election is not simply what party is going to be in charge or which candidate wins. What's at stake is our identity as a nation and as a people. For over two centuries, America has been an exceptional nation. And now the time has come for this generation to do what it must do to keep it that way. If we make the right choice in this election, our children are going to be the freest and most prosperous Americans that have ever lived. And the 21st century is going to be a new American century.",3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
23,AUDIENCE,(APPLAUSE),3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
24,Tapper,Senator Cruz?,3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
25,Cruz,"Fifty-nine years ago, Florida welcomed my father to America as he stepped off the ferry boat from Cuba onto Key West. He was 18. He was filled with hopes and dreams, and yet he was in the freest land on the face of the earth. This election, this debate is not about insults. It's not about attacks. It's not about any of the individuals on this stage. This election is about you and your children. It's about the freedom America has always had and making sure that that freedom is there for the next generation, that we stop Washington from standing in the way of the hard-working taxpayers of America.",3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
26,AUDIENCE,(APPLAUSE),3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
27,Tapper,Mr. Trump?,3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
28,Trump,"One of the biggest political events anywhere in the world is happening right now with the Republican Party. Millions and millions of people are going out to the polls and they're voting. They're voting out of enthusiasm. They're voting out of love. Some of these people, frankly, have never voted before -- 50 years old, 60 years old, 70 years old -- never voted before. We're taking people from the Democrat Party. We're taking people as independents, and they're all coming out and the whole world is talking about it. It's very exciting. I think, frankly, the Republican establishment, or whatever you want to call it, should embrace what's happening. We're having millions of extra people join. We are going to beat the Democrats. We are going to beat Hillary or whoever it may be. And we're going to beat them soundly.",3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
29,AUDIENCE,(APPLAUSE),3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
30,Tapper,"Thank you. Thank you. Let's begin with jobs and the economy, which Republican voters say is the most important issue to them in this election. There have been some real differences expressed in -- on this stage on whether trade deals have been good for the American workers. One of Mr. Trump's, the front runner's, signature issues is ending what he calls ""disastrous trade deals"" in order to bring jobs back to America. Governor Kasich, I'd like to start with you. You've been a strong advocate for these trade deals over the years. Critics say these deals are great for corporate America's bottom line, but have cost the U.S. at least 1 million jobs. How do you respond to the criticism that you've been catering to board rooms at the expense of the American middle class?",3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
31,Kasich,"Well, Jake, I grew up in a blue collar family. And the simple fact of the matter is that of course we're sensitive about trade. One out of five Americans works in a job connected to trade; 38 million Americans are connected to it. But my position has always been we want to have free trade, but fair trade. And I've been arguing all along that it is absolutely critical that when other countries break those agreements, we don't turn the process over to some international bureaucrat who comes back a couple years later and says, ""Oh, America was right,"" and people are out of work. The fact of the matter is we have to have an expedited process. When people cheat, when countries cheat and they take advantage of us, we need to blow the whistle. And as president of the United States, I absolutely will blow the whistle and begin to stand up for the American worker. But we don't want to lock the doors and pull down the blinds and leave the world. Because frankly, if we do that, prices will go up. People will buy less. Other people will be out of work. And we don't want to see that happen. Trade, though, has to be balanced and we have to make sure that when we see a violation, like some country dumping their products into this country, believe me as president, I will stand up and I will shut down those imports because they're a violation of the agreement we have and the American worker expects us to stand up. And Jake, my family worked in the steel industry, not with a white collar. I understand their plight.",3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
32,AUDIENCE,(APPLAUSE),3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
33,Tapper,"Mr. Trump, your critics say your campaign platform is inconsistent with how you run your businesses, noting that you've brought in foreign workers instead of hiring Americans, and your companies manufacture clothing in China and Mexico. Why should voters trust that you will run the country differently from how you run your businesses?",3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
34,Trump,"Because nobody knows the system better than me. I know the H1B. I know the H2B. Nobody knows it better than me. I'm a businessman. These are laws. These are regulations. These are rules. We're allowed to do it. And frankly, because of the devaluations that other countries -- the monetary devaluations that other countries are constantly doing and brilliantly doing against us, it's very, very hard for our companies in this country, in our country, to compete. So I will take advantage of it; they're the laws. But I'm the one that knows how to change it. Nobody else on this dais knows how to change it like I do, believe me.",3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
35,Tapper,"Senator Rubio, last October, you said that you're, quote, ""generally very much in favor of free trade."" More recently, you backed a away from your support of some trade deals. If elected, will you support free trade deals even if it means the inevitable loss of U.S. jobs?",3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
36,Rubio,"No, I support free trade deals that are good for America. We're 5 percent of the world's population. If all we do is sell things to each other, we can only sell to 5 percent of the people on earth. We have to have access to the hundreds of millions of people in the world today who can afford to buy things. The problem is we're a low-tariff country. To import something into the United States is not very expensive, but many of these countries we can't export to because their tariffs are too high. And so I am in favor of deals that allow us to bring down those tariffs so that America can sell things to all these people around the world. There are good trade deals and there are bad ones. So for example, here in Florida, we have benefited from the free trade deal with Colombia. It's allowed flower exporters to come into the United States but it's created jobs for hundreds of people who are now delivering those flowers and working in that industry. We have a surplus with Colombia. On the other hand, you've seen trade deals like in Mexico that have been less than promising in some aspects, better in others. Bottom line is I believe that America, if given access to foreign markets, our workers are the most productive in the world, our people are the most innovative on this planet. If it is a free and fair trade deal, we can compete against anyone in the world, and we need to in the 21st century.",3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
37,AUDIENCE,(APPLAUSE),3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
38,Tapper,"Senator Cruz, you were a supporter of the Pacific trade deal, but after taking some heat from conservatives, you changed your position. Why should these voters who don't like these trade deals trust that you will fight for them all the time and not just in election years?",3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
39,Cruz,"Actually that's incorrect. There are two different agreements. There's TPA and TPP. I opposed TPP and have always opposed TPP, which is what you asked about. And when it comes to trade, look, free trade, when we open up foreign markets, helps Americans. But we're getting killed in international trade right now. And we're getting killed because we have an administration that's doesn't look out for American workers and jobs are going overseas. We're driving jobs overseas. And the people who are losing out are in manufacturing jobs, or the steel industry or the auto industry. But I'll tell you who else is going to be losing out, which is the service industry. This Obama administration is negotiating the Trade in Services Agreement which is another treaty to allow services to come in and take jobs from Americans as well. And you've got to understand. Trade and immigration are interwoven, and they are hurting the working men and women of this country. So the question is, what's the solution? It's easy to talk about the problems. But do you have a solution to fix it? And I think the solution is several things. Number one, we need to negotiate trade deals protecting American workers first, not the corporate board room. Number two, we need to lift the regulations on American businesses here so we see jobs coming back. And number three, we need a tax plan like the tax plan I've introduced that will not tax exports and that will tax imports, and that will bring millions of high-paying jobs back to America.",3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
40,AUDIENCE,(APPLAUSE),3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
41,Tapper,Let's talk more about how American jobs are impacted by foreign workers. Let's go to Stephen Dinan of the Washington Times. Stephen.,3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
42,Dinan,"Senator Rubio in late 2014, Disney laid off 250 tech workers in Orlando, replacing many of them with foreign workers. Some of the Americans even had to train their own replacements. You support increasing the H-1B visa program that made it possible to bring in these foreign workers. Doesn't this program take jobs away from Americans?",3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
43,Rubio,"If it's being abused the way Disney did. Understand that program, it is illegal now under that program to use it to replace American workers. Under that program, you have to prove not only that you're not replacing Americans, but that you've tried to hire Americans. And if a company is caught abusing that process, they should never be allowed to use it again. The second problem with the current structure of the program that people perhaps don't understand is a lot of these companies are not directly hiring employees from abroad. They are hiring a consulting company like Tata, for example, out of India. That company then hoards up all of these visas. They hire workers. You hire -- Disney or some other company hires this company. What they're basically doing is they are insourcing and outsourcing. They are bringing in workers from abroad that are not direct employees of a Disney or someone else, they're employees of this consulting business. And what I argue is that no consulting business such as that should be allowed to hoard up all of these visas, that the visas should only be available for companies to use to directly hire workers and that we should be stricter in how he enforce it. It is illegal now, it is a violation of the law now to use that program to replace Americans. And if a company is caught doing that, whether it be Disney or anyone else, they should be barred from using the program in the future.",3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
44,Dinan,"Senator Rubio, real quick follow-up on this.",3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
45,AUDIENCE,(APPLAUSE),3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
46,Dinan,"You've -- in the -- in the context of illegal immigration, you've called for basically putting off any legalization process until we get the border secured.",3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
47,Rubio,Correct.,3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
48,Dinan,Why not call for a pause on H1Bs until those abuses you've talked about are solved.,3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
49,Rubio,"Well first, I think -- well, I'd be open to it if it takes a pause. But I don't think it takes a pause to enforce the law. What they are doing is they are in fact using that program to replace an American. If there's an American working at Disney and they bring someone from another country using H1B to replace their direct job, that's in violation of the law. And what I'm explaining to you is, what they are doing now is they are not -- what they are doing is they are eliminating the job. They are outsourcing the entire tech division to a consulting company. They are making the argument that we didn't replace you. We just replaced the whole unit by hiring a company to do it instead. And that company that they're hiring is bringing their workers from abroad. It's a loophole they've figured out that we need to close so they can no longer continue to do it that way.",3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
50,AUDIENCE,(APPLAUSE),3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
51,Dinan,"Governor Kasich, I want to come to you next. Mr. Trump says that legal immigration is producing quote, ""lower wages and higher unemployment for U.S. workers"". He's calling for a pause on green cards issued to foreign workers. Wouldn't that help workers in the U.S.?",3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
52,Kasich,"Well look, I believe in immigration, but it has to be controlled. The simple fact of the matter is I wouldn't be standing here. I'd be maybe running for president of Croatia if we didn't have immigration. Immigration is something that brings youth and vibrance and energy to our country. But we clearly have to control our borders. We can't have people just walking in. Look, we lock our doors at night in our homes. The country has to be able to lock its doors as well. So, we -- I have a comprehensive plan to deal with this problem of immigration. I would say we have to absolutely finish the wall and guard the border. And if anybody were to come in after that, they are going to have to go back. No excuses because we can't continue this problem. I think we ought to have a guest worker program, where people come in, work and go home. And I think at the same time, for the 11 and a half million who are here, then in my view if they have not committed a crime since they've been here, they get a path to legalization. Not to citizenship. I believe that program can pass the Congress in the first 100 days. But let's not lose sight of the fact that the whole key to the future of America is strong economic growth with common sense regulation, lower taxes and a balanced budget. We can have a rising tide that lifts all the workers in America, all the people who are citizens of America, if we'll just follow the formula that works, that I used in Washington. And guess what, I've used it in Ohio to grow over 400 private sector jobs since I've been governor",3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
53,Dinan,"Mr. Trump, I do want to come to you. Will you also in your answer, address how long you think that pause would be and what that pause would look like.",3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
54,Trump,"I will. First of all, I think and I know the H1B very well. And it's something that I frankly use and I shouldn't be allowed to use it. We shouldn't have it. Very, very bad for workers. And second of all, I think it's very important to say, well, I'm a businessman and I have to do what I have to do. When it's sitting there waiting for you, but it's very bad. It's very bad for business in terms of -- and it's very bad for our workers and it's unfair for our workers. And we should end it. Very importantly, the Disney workers endorsed me, as you probably read. And I got a full endorsement because they are the ones that said, and they had a news conference, and they said, he's the only one that's going to be able to fix it. Because it is a mess. I think for a period of a year to two years we have to look back and we have to see, just to answer the second part of your question, where we are, where we stand, what's going on. We have to sort of take a strong, good, hard look and come up with plans that work. And we're rushing into things, and we're just -- we're leading with the chin.",3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
55,OTHER,(BELL),3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
56,Trump,"We're leading with people that don't know what they are doing in terms of our leadership. I'd say a minimum of one year, maybe two years.",3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
57,Dinan,"Senator Cruz, I want to bring you in very quickly on this.",3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
58,AUDIENCE,(APPLAUSE),3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
59,Dinan,The United States averages about a million new permanent legal immigrants a year and hundreds of thousands more guest workers. What should the right level be?,3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
60,Cruz,"Well, we need to redefine our legal immigration system so that it meets the needs of the American economy. Right now, we're bringing in far too many low skilled workers. What that is doing is driving down the wages of hard-working Americans. Our system isn't working. And then on top of that, we've got a system that's allowing in millions of people to be here illegally. And the answer to that, I've laid out a very, very detailed immigration plan on my website. We're going to build a wall, triple the border patrol. We're going to end sanctuary cities. And let me tell you how we're going to do that. We're going to cut off federal taxpayer funds to any city that defies federal immigration laws.",3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
61,AUDIENCE,(APPLAUSE),3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
62,Cruz,"We're going to end welfare benefits for anyone who is here illegally. And the thing to understand, Stephen, we can solve these problems. It's not that we don't know how to do it. It's that we're lacking the political will. Neither of the parties in Washington wants to do this. The Democrats support illegal immigration because they view those illegal immigrants as potential voters and far too many of the Republicans are doing the bidding of Wall Street and the special interest and they view it as cheap labor. We need instead leadership that works for the working men and women of this country. We need an immigration system that takes care of the jobs of the working men and women of this country.",3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
63,AUDIENCE,(APPLAUSE),3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
64,Tapper,"Senator Rubio, did you want to weigh in?",3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
65,Rubio,"Well, I would add when you talk about the millions of green cards that are coming in, those aren't actually workers at all. They are just coming in primarily based on family connection. And ;let me tell you, when my parents came in 1956, I acknowledge that my parents came to the U.S. on a family-based system. The problem is nothing looks like it did 60 years ago. The 21st Century economy simply is not creating enough jobs for people that don't have skills. When my parents came, they had a very limited education. My father stopped going to school when he was 9 years old because his mother died and he had to work. And he would work the next 70 years of his life and never go back to school. And I'm grateful every day that America welcomed them. But today in the 21st Century, 60 years later, finding jobs when you don't have skills is very difficult. We need to move to a merit- based system of immigration, not just on H-1B, particularly on green cards. The primary criteria for bringing someone from abroad in the 21st Century should be, what skills do you have? What business are you going to open? What investment are you going to make? What job are you going to be able to do when you arrive in the United States?",3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
66,AUDIENCE,(APPLAUSE),3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
67,Tapper,"Education obviously plays a large role when it comes to jobs and the economy. The United States has long been falling behind others in the industrialized world. American students currently rank 27th out of 34 countries in math and 17th in reading. Mr. Trump, you've called the education standards known as Common Core a disaster. What are your specific objections to Common Core?",3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
68,Trump,"Education through Washington, D.C. I don't want that. I want local education. I want the parents, and I want all of the teachers, and I want everybody to get together around a school and to make education great. And it was very interesting, I was with Dr. Ben Carson today, who is endorsing me, by the way, tomorrow morning, and he is...",3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
69,AUDIENCE,(APPLAUSE),3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
70,Trump,"We were talking. We spoke for over an hour on education. And he has such a great handle on it. He wants competitive schools. He wants a lot of different things that are terrific, including charter schools, by the way, that the unions are fighting like crazy. But charter schools work and they work very well. So there are a lot of things. But I'm going to have Ben very involved with education, something that's an expertise of his.",3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
71,Tapper,"OK. But just to clarify, the Common Core standards were developed by the states, states and localities voluntarily adopt them, and they come up with their own curricula to meet those standards. So when you say ""education by Washington, D.C.,"" what do you mean?",3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
72,Trump,"You're right, Jake. But it has been taken over by the federal government. It was originally supposed to be that way. And certainly sounds better that way. But it has all been taken over now by the bureaucrats in Washington, and they are not interested in what's happening in Miami or in Florida, in many cases. Now in some cases they would be. But in many cases they are more interested in their paycheck and the big bureaucracy than they are taking care of the children.",3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
73,AUDIENCE,(APPLAUSE),3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
74,Tapper,"Governor Kasich, you have called opposition to Common Core hysteria. What is your response to grassroots conservatives who do not agree with you?",3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
75,Kasich,"Well, look, all I'm in favor of in Ohio is high standards. First of all, let me tell you, I would take 125 federal education programs, put them in four buckets, and send them back to the states. OK, I've been working on this for many, many years. Secondly, Jake, in our state, the state school board sets the standards. And we want high standards because we have not always had high standards, unfortunately. They set the standards and the local school boards develop the curriculum. Not only did we have that in the law, we reasserted it in the law. And we also want parental advisers in the local school district so that, in fact, you know, frankly, education has to be run at the school board level with a little guidance from the state. Now on top of that, you want to talk about the 21st Century and what we need to do with our kids? We need to start connecting them to the real world. We need to be training them for the jobs of the 21st Century, not the jobs of 20 years ago. We need vocational education starting in the seventh grade where kids can get that kind of education that can take them to college, but all the way through their K through 12 they ought to be connected with real-world jobs. Frankly, what ought to happen is we ought to get them to pursue their God-given talents and connect them with the things that give them passion. And that's exactly what we're doing in Ohio, combined with mentoring programs to talk to kids about what their future can be. So let me be clear, local control, obviously, high state standards. That's what it is in the state of Ohio.",3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
76,AUDIENCE,(APPLAUSE),3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
77,Tapper,"So, Senator Cruz, let me bring you in. You object to Common Core. Governor Kasich says it's local school boards developing local curriculum to meet higher standards. What's wrong with that?",3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
78,Cruz,"Common Core is a disaster. And if I am elected president, in the first days as president, I will direct the Department of Education that Common Core ends that day.",3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
79,AUDIENCE,(APPLAUSE),3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
80,Cruz,"Now, let me tell you why you can do that, because it's easy to talk about the problem, but you have to understand the solutions. The Obama administration has abused executive power in forcing common core on the states. It has used race-to-the-top funds to effectively blackmail and force the states to adopt common core. Now, the one silver lining of Obama abusing executive power is that everything done with executive power can be undone with executive power, and I intend to do that.",3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
81,AUDIENCE,(APPLAUSE),3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
82,Cruz,"Beyond that, though, Jake, I intend to work to abolish the federal Department of Education and send education back to the states and back to the local governments. And let me say finally, the most important reform we can do in education after getting the federal government out of it, is expand school choice; expand charter schools and home schools and private schools and vouchers, and scholarships. And give every child -- African American, Hispanic -- every child in need an opportunity to access to a quality education.",3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
83,AUDIENCE,(APPLAUSE),3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
84,Tapper,"Let's move on to another topic of particular interest here in Florida. Florida has the highest percentage of seniors in the country. There are 3.1 million senior citizens here who receive Social Security benefits, and they're very interested in hearing what you candidates intend to do to keep Social Security going for future generations. Let me turn now to my colleague Dana Bash.",3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
85,Bash,"Senator Rubio, you argue Americans your age must have an honest conversation about making Social Security sustainable. For people under 55, you want to raise the retirement age and also reduce benefits for wealthier Americans. So, what should the new retirement age be? And how much will those benefits be cut?",3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
86,Rubio,"Well, first of all, let me say that you're right, there are about 3 million seniors in Florida with Social Security and Medicare. One of them is my mother, who happens to be here today. I'm against any changes to Social Security that are bad for my mother. And we don't have to make any changes for them. But anyone who tells you that Social Security can stay the way it is is lying. Any politician that goes around saying, ""We don't have to anything; all we have to do is raise a few taxes or just leave it the way it is,"" they're not being honest with you. Social Security will go bankrupt and it will bankrupt the country with it. So what it will require is people younger, like myself, people that are 30 years away from retirement, to accept that our Social Security is going to work differently than it did for my parents. For example, instead of retiring at 67 the way I'm supposed to retire, I'd have to retire at 68. If I were still in the Senate, I'd be one of the youngest people there.",3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
87,AUDIENCE,(LAUGHTER),3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
88,Rubio,"If I've made a lot of money, my Social Security benefit will not grow as fast as someone who made less money. And by the way, Medicare could very well become the option of using my Medicare benefit to buy a private plan that I like better. Medicare Advantage does that now. These are not unreasonable changes to ask of someone like myself who is 25 or 30 years away from retirement, in exchange for leaving the program undisturbed for the people that are on it now or about to retire, and ensuring that we do not bankrupt our country and that this program still exists when my children retire, when my grandchildren retire, when I retire.",3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
89,AUDIENCE,(APPLAUSE),3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
90,Bash,"Senator, the question was specific though. You made your plan very clear about generally what you want to do, but how high would the retirement age go and how much would you cut those benefits?",3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
91,Rubio,"Well, I'm sorry I didn't answer that part. So the thing is that my -- my generation, someone my age would retire at 68. We would continue to allow it to increase the retirement age for future generations until it hit 70. And so my children would retire at 70. I would retire at 68. It would be a graduating scale over a period of time. But again I'm talking about people like myself and Ted who are 45 years old. We're years away from retirement. For people that are on it now, we don't have to change it at all. If we don't do anything, we will have a debt crisis. It's not a question of if. It is a question of when. In less than five years, only 17 percent of our budget will remain discretionary; 83 percent of the federal budget in less than five years will all be spent on Medicare, Medicaid, the interest on the debt. That's -- all of it will be eaten up by that. That's a debt crisis. And it will be debilitating to our economy and our children deserve better than to inherit a debt crisis.",3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
92,AUDIENCE,(APPLAUSE),3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
93,Bash,"Mr. Trump, you don't want to raise the retirement age, and you also don't want to cut benefits even for wealthier Americans. But according to the Social Security Administration, unless adjustments are made, Social Security is projected to run out of money within 20 years. So specifically, what would you do to stop that from happening?",3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
94,Trump,"Well, first of all, I want you to understand that the Democrats, and I've watched them very intensely, even though it's a very, very boring thing to watch, that the Democrats are doing nothing with Social Security. They're leaving it the way it is. In fact, they want to increase it. They want to actually give more. And that's what we're up against. And whether we like it or not, that is what we're up against. I will do everything within my power not to touch Social Security, to leave it the way it is; to make this country rich again; to bring back our jobs; to get rid of deficits; to get rid of waste, fraud and abuse, which is rampant in this country, rampant, totally rampant. And it's my absolute intention to leave Social Security the way it is. Not increase the age and to leave it as is. You have 22 years, you have a long time to go. It's not long in terms of what we're talking about, but it's still a long time to go, and I want to leave Social Security as is, I want to make our country rich again so we can afford it. I want to bring back our jobs, I want to do things that will make us, that will bring back GDP... I mean, as an example, GDP was zero essentially for the last two quarters. If that ever happened in China. you would have had a depression like nobody's ever seen before. They go down to 7 percent, 8 percent, and it's a -- it's a national tragedy. We're at zero, we're not doing anything. We've lost our jobs. We've lost everything. We're losing everything. Our jobs are gone, our businesses are being taken out of the country. I want to make America great again and I want to leave Social Security as is. We're going to get rid of waste, fraud, abuse and bring back business.",3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
95,AUDIENCE,(APPLAUSE),3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
96,Bash,"Senator Rubio, I know you want to get in. Hang on one second, I just want to follow up with Mr. Trump. You're talking about waste, fraud and abuse, but an independent bipartisan organization, the Committee For a Responsible Federal Budget, says improper payments like you're talking about, that would only save about $3 billion, but it would take $150 billion to make Social Security solvent. So how would you find that other $147 million?",3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
97,Trump,"Because they don't cover most of the subjects. We're the policemen of the world. We take care of the entire world. We're going to have a stronger military, much stronger. Our military is depleted. But we take care of Germany, we take care of Saudi Arabia, we take care of Japan, we take care of South Korea. We take -- every time this maniac from North Korea does anything, we immediately send our ships. We get virtually nothing. We have 28,000 soldiers on the line, on the border between North and South Korea. We have so many places. Saudi Arabia was making a billion dollars a day, and we were getting virtually nothing to protect them. We are going to be in a different world. We're going to negotiate real deals now, and we're going to bring the wealth back to our country. We owe $19 trillion. We're going to bring wealth back to our country.",3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
98,AUDIENCE,(APPLAUSE),3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
99,Bash,"Senator Rubio, will that be enough to save Social Security?",3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
100,Rubio,"No. And I -- and I think you've outlined why. The numbers don't add up. You know, when I ran for the Senate in 2010, I came out and said we're going to have to make changes to Social Security, and everyone said that's the end of your campaign. In Florida, you can't talk about that, but people know that it's the truth here in Florida. Fraud is not enough. Certainly, let's wipe out the fraud, but as you said, it won't add up. You already gave those numbers. The second point is on foreign aid. I hear that all the time as well. I'm against any sort of wasting of money on foreign aid, but it's less than 1 percent of our federal budget. The numbers don't add up. The bottom line is we can't just continue to tip-toe around this and throw out things like I'm going to get at fraud and abuse. Let's get rid of fraud, let's get rid of abuse, let's be more careful about how we spend foreign aid. But you still have hundreds of billions of dollars of deficit that you're going to have to make up. And here's the thing. If we do not do it, we will have a debt crisis. Not to mention a crisis in Social Security and Medicare. Both parties have taken far too long to deal with it. It is one of the major issues confronting America. It's barely been asked in any of these debates. And we'd better deal with or we're going to have to explain to our children why they inherited this disaster.",3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
101,AUDIENCE,(APPLAUSE),3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
102,Bash,"Mr. Trump, Senator Rubio says your numbers don't add up. What's your response? Senator Rubio says that your numbers don't add up. What's your response, Mr. Trump?",3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
103,Trump,"Well, I don't know if he's saying that. Look, I'm just saying very simply we have a country that I've never seen anything like it. I've been going over budgets and looking at budgets. We don't bid things out. We don't bid out, as an example, the drug industry, pharmaceutical industry. They don't go out to bid. They just pay almost as if you walk into a drug store. That's what they're paying. And the reason is they have a fantastic lobby. They take care of all of the senators, the Congressmen. They have great power and they don't bid out. The military is never properly bid. When we go out to military bids, it's not properly bid. And the people that really sell us the product are oftentimes the product we don't want, only because that particular company has political juice, OK? I'm self-funding my campaign. Nobody is going to be taking care of me. I don't want anybody's money. I will tell you something. We're going to go out to bid in virtually every different facet of our government. We're going to save a fortune.",3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
104,AUDIENCE,(APPLAUSE),3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
105,Bash,"Thank you, Mr. Trump. Senator Cruz, you advocate allowing younger workers to put some of their Social Security taxes into personal accounts. What do you say to critics who say that market volatility means that this is a disastrous proposal?",3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
106,Cruz,"Well, number one, we need to see responsibility. Social Security right now is careening towards insolvency, and it's irresponsible. And any politician that doesn't step forward and address it is not being a real leader. We need to see political courage to take this on and save and strengthen Social Security.",3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
107,AUDIENCE,(APPLAUSE),3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
108,Cruz,"And as president, what I will do for seniors, for anyone at or near retirement, there will be no changes whatsoever. Every benefit will be protected to the letter. But for younger workers, we need to change the rate of growth of benefits so it matches inflation instead of exceeding inflation. And as you noted Dinan, we need to have for younger workers, that a portion of your tax payments are in personal accounts, like the 401(k), that you own, that you control, that you can pass on to your kids and grandkids.",3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
109,AUDIENCE,(APPLAUSE),3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
110,Cruz,"And one of the things that is critically important. Listen, we've got lots of challenges in the world. But the answer can't just be wave a magic wand and say problem go away. You have to understand the problems. You have to have real solutions. It's like government spending. It is very easy. Hillary Clinton says she'll cut waste, fraud and abuse. If only we had smarter people in Washington, that would fix the problem. You know what? That is the statement of a liberal who doesn't understand government is the problem.",3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
111,AUDIENCE,(APPLAUSE),3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
112,Cruz,"Here's my philosophy. The less government, the more freedom. The fewer bureaucrats, the more prosperity. And there are bureaucrats",3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
113,OTHER,(BELL),3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
114,Cruz,"...Washington right now who are killing jobs and I'll tell you, I know who they are. I will find them and I will fire them.",3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
115,Bash,Did you justice just compare Donald Trump to Hillary Clinton on this issue?,3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
116,Cruz,"I will let Donald speak for himself. But I will say, there's a reason, in my campaign I've laid out a very, very specific spend and cut plan, $500 billion. I've specified five major agencies that I would eliminate, 25 programs. And Dana, you know why political candidates don't do that? Because when you do that, the lobbyists attack you. When you specify the programs you would eliminate, then you get attacked. Let's talk for example back in Iowa the first primary. When I went to Iowa and campaigned against ethanol mandates, everyone said that was political suicide. You can't take on ethanol in Iowa. And my opponents on this stage not only didn't do the same. They attacked me and even promised to expand corporate welfare.",3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
117,OTHER,(BELL),3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
118,Cruz,"If we're going to stop bankrupting our kids and grandkids, you've got to be willing to take on the lobbyists, which means not just some fanciful waste, fraud and abuse, but specifying these are the programs I'll eliminate so that we can take care of the hard working taxpayer.",3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
119,AUDIENCE,(APPLAUSE),3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
120,Bash,"Thank you Senator Cruz. Mr. Trump, would you like to respond?",3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
121,Trump,"Yes. If you look back to Iowa, Ted did change his view and his stance on ethanol quite a bit. He did and -- at the end. Not full on, but he did change his view in the hopes of maybe doing well. And you know, I think everybody knows that. It was a front page story all over the place, and he did make a change.",3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
122,Bash,Senator Cruz?,3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
123,Cruz,"Listen, if you are fed up with Washington, the question you ought to be asking is who is willing to take on Washington? It's easy to have language, I'm fed up with the corruption in Washington. But if you have a candidate who has been funding liberal Democrats and funding the Washington establishment, it's very hard to imagine how suddenly this candidate is going to take on Washington. When I stood up and led the fight against Obamacare, Washington was furious and attacked me, but I did it because I was honoring my commitment to the hard-working men and women of this country who are losing their jobs because of Obamacare.",3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
124,AUDIENCE,(APPLAUSE),3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
125,Cruz,"When I led the fight against amnesty, it's because I was standing with the",3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
126,OTHER,(BELL),3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
127,Cruz,"...against Washington. And if you want to tell people you're going to stand against Washington, the question we should ask is, when have you ever stood up to the lobbyists in Washington?",3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
128,Bash,"OK. Mr. Trump, I'll let you respond because he mentioned you but then I'm going to move to Governor Kasich. Go ahead.",3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
129,Trump,"Well, that's fine. First of all, Ted was in favor of amnesty. So there's no question about that. And Sheriff Joe Arpaio recently endorsed me and there's nobody tougher on the borders than Sheriff Joe. And Jeff Sessions, one of the most respected Senator in Washington, an incredible man, also endorsed me. And there's nobody that knows more about the borders than Senator Jeff Sessions. I would say this. We're all in this together. We're going to come up with solutions. We're going to find the answers to things. And so far I cannot believe how civil it's been up here.",3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
130,AUDIENCE,(APPLAUSE),3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
131,Bash,"Governor Kasich, let's get back to Social Security. You told a voter in New Hampshire to quote, ""Get over cuts to Social Security benefits"" because you have a reform plan and that is just the reality you say that is out there. Why is cutting Social Security payments the solution?",3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
132,Kasich,"Well, first of all, we hear about taking on Washington. I took on Washington and I won. I actually got the budget balanced when I was a member of the Congress, the chairman of the budget committee. We paid down a half a trillion dollars of the national debt. We also balanced the budget four years in a row. And we were just growing jobs like crazy and the wage issue was not even an issue then. I also had a plan in 1999 to save Social Security and take the $5 trillion projected surplus and not only have Social Security for our young people, but also to give them private accounts. Now there are more 18-year-olds who believe they have a better chance of seeing a UFO than a Social Security check and we have a lot of seniors who are very nervous. I have a plan to fix it that doesn't even require raising the retirement age. If you've had wealth throughout your lifetime, when the time comes to be on Social Security, you'll still get it. It will just simply be less. And for those people who depend on that Social Security, they'll get their full benefit. That's the way it will work. And we don't have to monkey around with the retirement age. And how do I know that? I've done all this before. This is not a theory. Do you have to take on entitlement programs to balance a budget? Yes. It doesn't mean you have to cut them. It means you need to innovate them, the way we do things in the 21st Century. So not only did we have a balanced budget in Washington, but when I went to Ohio, we were $8 billion in the hole and now we're $2 billion in the black. Our credit is strong. We're up 400,000 jobs. And I want to go back with the same formula to beat the Washington insiders again. And I will get it done, and this country will be much stronger economically as a result.",3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
133,AUDIENCE,(APPLAUSE),3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
134,Tapper,"Thank you, Governor. Let's take a broader look at the Republican Party now. Mr. Trump, one of the concerns your opponents have expressed throughout the course of this campaign is the notion that in their estimation you hold views that are at direct odds with Republican Party tradition. How are you looking to fundamentally change the Republican Party as its potential leader? What should the Republican Party stand for in 2016?",3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
135,Trump,"Well, first of all, I don't really think that. I think that I hold views that are very similar to many of the people. We are more inclusive. And if you look at the polls and if you look at the millions of people that have been pouring into the polls, it's, again, the biggest story. You look at all of these people that are coming in, something is happening. I am different in one primary respect, and that's trade. I feel that we have had horrible negotiators, horrible trade deals. The jobs in this country are disappearing, and especially the good jobs. You look at the recent jobs reports, which are really done so that presidents and politicians look good, because all of these people looking for jobs, when they give up, they go home, they give up, and they are considered statistically employed. So that's that. But I will say, trade deals are absolutely killing our country. The devaluations of their currencies by China and Japan and many, many other countries, and we don't do it because we don't play the game. and the only way we're going to be able to do it is we're going to have to do taxes unless they behave. If you don't tax certain products coming into this country from certain countries that are taking advantage of the United States and laughing at our stupidity, we're going to continue to lose businesses and we're going to continue to lose jobs. And if you look at the average worker over the last 12 years, their salary and their pay have gone down, not up. It has gone down. And I think that's why there has been such an outpouring of love to what I'm saying.",3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
136,Tapper,"Thank you, Mr. Trump. Senator",3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
137,AUDIENCE,(APPLAUSE),3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
138,Tapper,...Donald Trump has so far won 35 percent of the vote. Those people are signing up to his vision of the Republican Party. What do you think is wrong with that vision?,3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
139,Cruz,"Well, Donald is right, for example, he was just talking about international trade. He's right about the problems. But his solutions don't work. So, for example, his solution on international trade, he proposed earlier a 45 percent tariff on foreign goods. Now he backed away from that immediately and he may come back with a different number tonight. I don't know where he'll be tonight. But I'll tell you what happens. You know, we've seen prior presidential candidates who proposed massive tariffs, you know, Smoot- Hawley led to the Great Depression. And the effect of a 45 percent tariff would be when you go to the store, when you go to Walmart, when you are shopping for your kids, the prices you pay go up 45 percent. But not only that, when you put those in place, because a tariff is a tax on you, the American people, but the response of that is that the countries we trade with put in their own tariffs. A much better solution that works is the tax plan I've laid out which would enable our exports to be tax-free, would tax our imports, would not raise prices for Americans, and would not result in reciprocal tariffs. Fix the problem and that's what's missing from what Donald says.",3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
140,AUDIENCE,(APPLAUSE),3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
141,Tapper,"Mr. Trump, we'll give you a chance to respond.",3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
142,Trump,"The 45 percent tax is a threat. It was not a tax, it was a threat. It will be a tax if they don't behave. Take China as an example. I have many friends, great manufacturers, they want to go into China. They can't. China won't let them. We talk about free trade. It's not tree free trade, it's stupid trade. China dumps everything that they have over here. No tax, no nothing, no problems, no curfews, no anything. We can't get into China. I have the best people, manufacturers, they can't get in. When they get in, they have to pay a tremendous tax. The 45 percent is a threat that if they don't behave, if they don't follow the rules and regulations so that we can have it equal on both sides, we will tax you. It doesn't have to be 45, it could be less. But it has to be something because our country and our trade and our deals and most importantly our jobs are going to hell.",3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
143,AUDIENCE,(APPLAUSE),3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
144,Tapper,Senator Cruz?,3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
145,Cruz,"Jake, let me be clear what Donald just said. He said that that 45 percent tax is a threat. And mind you, you are paying the tax. It's not China that pays the tax. It's you, the working men and women. So ask yourself at home: How is this helping you? If your wages have been stagnant for 20 years; if you can't pay the bills, how does it help you to have a president come and say, ""I'm going to jack -- I'm going to put a 45 percent tax on diapers when you buy diapers, on automobiles when you buy automobiles, on clothing when you buy clothing."" That hurts you. It's why we've got to get beyond rhetoric of China bad, and actually get to how do you solve the problem. Because this solution would hurt jobs and hurt hard-working taxpayers in America.",3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
146,Tapper,OK.,3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
147,Trump,"Jake, I have to say -- honestly, it's just the opposite. What will happen if they don't behave, we will put on a tax of some amount, and it could be a large amount, and we will start building those factories and those plants. Instead of in China, we'll build them here. And people will buy products from here, rather than buying it through China where we're being ripped off. And we have a $505 billion trade deficit right now. So we'll build our factories here and we'll make our own products. And that's the way it should be done. And the way we've been doing it for the last long period of time is our country -- our country is in serious, serious trouble. It's a bubble and it's going to explode, believe me.",3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
148,Tapper,"All right. We're going to take a very quick break. When we come back, we'll have much more of this Republican presidential debate from the University of Miami right after this. Stay with us.",3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
149,AUDIENCE,(APPLAUSE),3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
150,OTHER,(COMMERCIAL),3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
151,Tapper,"Welcome back to the CNN Republican presidential debate in Miami, Florida. Mr. Trump, let me start with you. Last night, you told CNN quote, ""Islam hates us?"" Did you mean all 1.6 billion Muslims.",3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
152,Trump,I mean a lot of them. I mean a lot of them.,3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
153,Dinan,Do you want to clarify the comment at all?,3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
154,Trump,"Well, you know, I've been watching the debate today. And they're talking about radical Islamic terrorism or radical Islam. But I will tell you this. There's something going on that maybe you don't know about, maybe a lot of other people don't know about, but there's tremendous hatred. And I will stick with exactly what I said to Anderson Cooper.",3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
155,AUDIENCE,(APPLAUSE),3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
156,Dinan,"Senator Rubio, your supporter, Republican Senator Jeff Sessions, said in response to Mr. Trump's comment last night, I'm sorry -- Senator Jeff Flake, I apologize. Your supporter, Republican Senator Jeff Flake said in response to that comment, Republicans are better than this. Do you agree?",3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
157,Rubio,"Well, let me say, I know that a lot of people find appeal in the things Donald says cause he says what people wish they could say. The problem is, presidents can't just say anything they want. It has consequences, here and around the world.",3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
158,AUDIENCE,(APPLAUSE),3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
159,Rubio,"And so let me give you one. Two days ago, I met this extraordinary couple who were on furlough because they are missionaries in Bangladesh. It's a very tough place to be a missionary. It's Muslim. And their safety and security very much relies upon friendly Muslims that live along side them, that may not convert, but protect them and certainly look out for them. And their mission field really are Muslims that are looking to convert to Christianity as well. And they tell me that today they have a very hostile environment in which to operate in because the news is coming out that in America, leading political figures are saying that America doesn't like Muslims. So this is a real impact. There's no doubt that radical Islam is a danger in the world. I can also tell you if you go to any national cemetery, especially Arlington, you're going to see crescent moons there. If you go anywhere in the world you're going see American men and women serving us in uniform that are Muslims.",3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
160,AUDIENCE,(APPLAUSE),3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
161,Rubio,"And they love America. And as far as I know, no one on this stage has served in uniform in the United States military. Anyone out there that has the uniform of the United States on and is willing to die for this country is someone that loves America. No matter what their religious background may be.",3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
162,Dinan,Mr. Trump?,3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
163,AUDIENCE,(APPLAUSE),3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
164,Trump,"Marco talks about consequences. Well, we've had a lot of consequences, including airplanes flying into the World Trade Center, the Pentagon and could have been the White House. There have been a lot of problems. Now you can say what you want, and you can be politically correct if you want. I don't want to be so politically correct. I like to solve problems. We have a serious, serious problem of hate.",3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
165,AUDIENCE,(APPLAUSE),3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
166,Trump,"There is tremendous hate. There is tremendous hate. Where large portions of a group of people, Islam, large portions want to use very, very harsh means. Let me go a step further. Women are treated horribly. You know that. You do know that. Women are treated horribly, and other things are happening that are very, very bad.",3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
167,OTHER,(BELL),3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
168,Trump,"Now I will say this, there is tremendous hatred. The question was asked, what do you think? I said, there is hatred. Now it would be very easy for me to say something differently. And everybody would say, oh, isn't that wonderful.",3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
169,Dinan,"Mr. Trump, thank you.",3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
170,Trump,We better solve the problem before it's too late.,3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
171,Dinan,Senator Rubio?,3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
172,AUDIENCE,(APPLAUSE),3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
173,Rubio,"Well, here we go. See, I'm not interested in being politically correct. I'm not interested in being politically correct. I'm interested in being correct.",3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
174,AUDIENCE,(APPLAUSE),3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
175,Rubio,"And in order to be correct on this issue, here's the bottom line. We do work. There is -- Islam has a major problem on its hands. It has a significant percentage of its adherents, particular in the Sunni faith but also in the Shia, who have been radicalized. And are willing to fly planes into a building and kill innocent people. There is no doubt about that. It is also true if you look around the world at the challenges we face, we are going to have to work together with other -- with Muslims, who do not -- who are not radicals. We're going to have to work with the Jordanian kingdom. We're going to have to work with the Saudis. We're going to have to work with the Gulf kingdoms. We're going to have to work with the Egyptians to defeat, for example, ISIS.",3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
176,OTHER,(BELL),3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
177,Rubio,It will take a Sunni Arab movement to defeat them. And so I think you can be correct without meaning to be politically correct. We are going to have to work with people of the Muslim faith even as Islam itself faces a serious crisis within it of radicalization.,3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
178,Tapper,"Thank you, Senator.",3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
179,AUDIENCE,(APPLAUSE),3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
180,Tapper,"Governor Kasich, do you think Islam hates us?",3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
181,Kasich,"No, I don't. I think there is a sect of, you know, this radical Islam that is really, really serious, and poses the greatest threat to us today. There isn't any question. And that's why the whole world has to work together to make sure that we don't have proliferation of these weapons of mass destruction. But look, I was there when, and saw it, when the Egyptian ambassador to the United States was in the Rose Garden bringing the Arab Muslim world to work with us to repel Saddam Hussein from Kuwait. The fact is that if we're going to defeat ISIS, we're going to have to have these countries. And they are Egypt. And they are Saudi Arabia. And they are Jordan. And they are the Gulf states. And we're going to have in some way or another a rapprochement with Turkey. And I frankly think the Europeans went in the wrong direction when they rejected Turkey from joining in to the economic sphere of Europe. The simple fact of the matter is, a lot of these Muslim countries, they are just -- they can't believe the stuff they see out of people who have distorted their faith. Look, the people who represent radical Islam, they want to destroy everything that we're about and other Muslims who don't share their view. But at the end of the day, we've got to bring the world together, the civilized world. And we all speak with one voice to make sure that people who sit on the fence understand what civilization is, and we represent it, and equality and hope for everybody.",3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
182,Tapper,"Thank you, Governor Kasich. Mr. Trump, I want to ask you about something else you've said during the course of this campaign. You said that the U.S. has to, quote, ""take out"" the families of terrorists. When it was pointed out that targeting civilians is against the Geneva Conventions, you said, quote, ""So they can kill us, but we can't kill them?"" It is against federal, military and international law to target civilians. So how will you order the military to target the families of suspected terrorists, while also abiding by the law?",3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
183,Trump,"Let me go back to the other just for a second. In large mosques, all over the Middle East, you have people chanting ""death to the USA."" Now, that does not sound like a friendly act to me. As far as the families are concerned, and as far as the law is concerned, we have a law -- this all started with your question on water boarding. We have a law that doesn't allow right now water boarding. They have no laws. They have no rules. They have no regulations. They chop off heads. They drown 40, 50, 60 people at a time in big steel cages, pull them up an hour later, everyone dead. And we're working on a different set of parameters. Now, we have to obey the laws. Have to obey the laws. But we have to expand those laws, because we have to be able to fight on at least somewhat of an equal footing or we will never ever knock out ISIS and all of the others that are so bad. We better expand our laws or we're being a bunch of suckers, and they are laughing at us. They are laughing at us, believe me.",3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
184,AUDIENCE,(APPLAUSE),3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
185,Tapper,"Senator Rubio, would you as president pursue a policy of targeting the families of suspected terrorists?",3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
186,Rubio,"No, of course not. And we don't have to in order to defeat terrorists. The way you defeat terrorists is pretty straightforward. It's difficult to do, but it has to be done. When I'm president of the United States, the best intelligence agencies in the world that right now have been hamstrung. They're going to be expanded. And the best intelligence agencies in the world are going to find terrorists. And then the best military in the world, which needs to be rebuilt because -- because Barack Obama is gutting our military. He's going to leave us with the smallest Army since the end of World War II, and the smallest Navy in a century, and the smallest Air Force we've ever had. We are going to rebuild that military and that military is going to find the terrorists and destroy them. And if we capture any of these terrorists alive, they're not going to have the right to remain silent. And they're not going to go to a courtroom in Manhattan. They're going to go to Guantanamo Bay, Cuba and we will find out everything they know and we'll do so legally.",3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
187,AUDIENCE,(APPLAUSE),3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
188,Tapper,"Senator Cruz, you've talked about changing the rules of engagement in battle against ISIS. Would that include targeting the families of suspected terrorists?",3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
189,Cruz,"No, of course not. We've never targeted innocent civilians and we're not going to start now. But listen, Jake, I understand. People are scared and for seven years, we've faced terrorist attacks and President Obama lectures Americans on Islamophobia. That is maddening. But the answer is not simply to yell, ""China bad, Muslims bad."" You've got to understand the nature of the threats we're facing and how you deal with them. And yes, it is true there are millions of radical Islamic terrorists who seek to kill us. We need a president, commander in chief focused on fighting them. And I'll tell you, frankly one concern I have with Donald is that although his language is quite incendiary, when you look at his substantive policies on Iran, he has said he would not rip up this Iranian nuclear deal. I think that's a mistake. The Ayatollah Khomeini wants nuclear weapons to murder us. I'll give you another example, dealing with Islamic radical terrorism. On Israel, Donald has said he wants to be neutral between Israel and the Palestinians. As president, I will not be neutral. And let me say this week, a Texan, Taylor Force. He was an Eagle Scout, he was a West Point graduate, he was an Army veteran. He was murdered by a Palestinian terrorist this week in Israel, and I don't think we need a commander in",3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
190,OTHER,(BELL),3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
191,Cruz,"...who is neutral between the Palestinian terrorists and one of our strongest allies in the world, the nation of Israel.",3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
192,AUDIENCE,(APPLAUSE),3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
193,Hewitt,"Thank you Senator Cruz. Mr. Trump. we're going to come to you in a second, but wait. I want to go to Hugh Hewitt, who has questions on this exact line of subject. Mr. Trump, I want to follow-up on the quote that Senator Cruz used. You said you would want to be, quote, ""sort of a neutral guy"". He did mention Taylor Force. He was a West Point graduate, he was a war hero. He was a Vanderbilt graduate student. He was killed in a Palestinian terror attack near Tel Aviv, many others were killed. And the Israeli government says the Palestinian authority is inciting this. Do you still want to stay neutral when the Palestinian authority is inciting these attacks.",3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
194,Trump,"First of all, there's nobody on this stage that's more pro Israel than I am. OK. There's nobody.",3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
195,AUDIENCE,(APPLAUSE),3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
196,Trump,I am pro-Israel.,3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
197,AUDIENCE,(BOOING),3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
198,Trump,"I was the grand marshall, not so long ago, of the Israeli Day Parade down 5th avenue. I've made massive contributions to Israel. I have a lot of -- I have tremendous love for Israel. I happen to have a son-in-law and a daughter that are Jewish, OK? And two grandchildren that are Jewish.",3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
199,AUDIENCE,(APPLAUSE),3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
200,Trump,"But I will tell you, I think if we're going to ever negotiate a peace settlement, which every Israeli wants, and I've spoken to the toughest and the sharpest, they all want peace, I think it would be much more helpful is -- I'm a negotiator. If I go in, I'll say I'm pro-Israel and I've told that to everybody and anybody that would listen. But I would like to at least have the other side think I'm somewhat neutral as to them, so that we can maybe get a deal done. Maybe we can get a deal. I think it's probably the toughest negotiation of all time. But maybe we can get a deal done.",3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
201,Hewitt,Senator,3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
202,CANDIDATES,(CROSSTALK),3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
203,Trump,"And, by the way, just so you understand, as far as Iran, I would have never made that deal. I think it's maybe the world deal I've ever seen. I think it's the worst deal I've ever seen negotiated. I will be so tough on them and ultimately that deal will be broken unless they behave better than they've ever behaved in their lives, which is probably unlikely. That deal will be broken.",3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
204,Hewitt,Thank you Mr. Trump. Senator Cruz and Senator Rubio.,3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
205,Cruz,"You know, we need a president who understands the national security interests of this country. The reason we are friends and allies with Israel is they are a liberal Democratic country that share our values, they're our strongest ally in the region. We get billions in intelligence resources, billions in military resources. And the Palestinian Authority that Donald, along with Hillary Clinton and Barack Obama say they want to treat neutrally, the same as Israel. The Palestinian Authority is in a unity government with Hamas, a terrorist organization. They pay the families of these terrorists who murder people. And this is exactly the moral relativism Barack Obama has. And the answer is not scream, all Muslims bad. Let me give you an example of a Muslim for example, we ought to be standing with, President el-Sisi of Egypt, a president of a Muslim country who is targeting",3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
206,OTHER,(BELL),3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
207,Cruz,...Islamic terrorist.,3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
208,Hewitt,Senator Rubio.,3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
209,Cruz,He's hunting them down and stomping them.,3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
210,Hewitt,Thank you.,3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
211,Cruz,Our focus needs to be on keeping this country safe.,3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
212,Hewitt,I want to go back to the Israeli government's assertion that the Palestinian Authority is inciting the convulsion of violence. Do you agree.,3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
213,Rubio,"Well, that's undeniable. First of all, they've said, they've encouraged people to do so. And you've seen the speeches of the Palestinian Authority president how glorious this is that they're doing these sorts of things. But let me go back for a moment. The policy Donald has outlined, I don't know if he realizes, is an anti-Israeli policy. Maybe that's not your intent but here's why it is an anti-Israeli policy. There is no peace deal possible with the Palestinians at this moment. There just isn't.",3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
214,AUDIENCE,(APPLAUSE),3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
215,Rubio,"Because there's no one to negotiate with. The Palestinian Authority is not interested in a serious deal and they are now in union with Hamas, an organization whose specific purpose is the destruction of the Jewish state. Every time that Israel has turned over territory of any kind, be is Gaza, or now in Judea and Sumaira, it is used as a launching pad to attack Israel. And that's what will happen again. These groups are not interested in a deal with Israel. What they are interested in is ultimately removing the Jewish state and occupying its entire territory.",3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
216,OTHER,(BELL),3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
217,Rubio,"So maybe in 30 years the conditions will exist, but they do not exist now.",3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
218,Hewitt,"Mr. Trump, and then I'll come to you Senator Kasich.",3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
219,Rubio,And To have a president forcing the Israelis to the table is harmful to the Israeli and emboldens Israel's enemies.,3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
220,Hewitt,Thank you senator.,3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
221,AUDIENCE,(APPLAUSE),3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
222,Hewitt,Mr. Trump a response and then we'll go to Governor Kasich.,3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
223,Trump,"If I become president of the United States, one of the things that will be an absolute priority is number one, protection of Israel, but also seeing if a deal can be made, the toughest deal, the toughest negotiation there probably is of any kind no matter where you look, no matter how hard you look. But I would like to give it a shot. Very, very pro-Israel, nobody more pro-Israel. But I would love to give it a shot. And I have to tell you this, Hugh. I have friend, Israelis, non-Israelis, people from New York City that happen to be Jewish and love Israel, and some are very tough people, every single one of them, they know it's tough, but every single one of them wants to see if we could ever have peace in Israel. And some believe it's possible. It may not be, in which case we'll find out. But it would be a priority if I become president to see what I could do.",3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
224,Hewitt,"Governor Kasich, do you agree the Israeli government that the Palestinian Authority is inciting this violence?",3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
225,Kasich,"Well, there's no question. They were saying that the Israelis intended to go to the Dome of the Rock. And I mean, when you think about this, thank goodness we work with Israelis to give them the Iron Dome where they can protect themselves against all the missiles that were flying in. Could you imagine living in like Miami here and having people shooting missiles in? Secondly, there was just an article the other day, Hugh, that I know you're familiar with the Israelis are learning to train underground in combat because the Palestinians now, Hamas in particular, is digging these tunnels trying to get under Israel. They're coming at them from above, they're trying to come at them under the ground. And I just have to tell you this, I don't believe there is any long-term permanent peace solution. And I think pursuing that is the wrong thing to do. I believe that every day that we can stability in that region by supporting the Israelis and making sure they have the weapons and the security that they need with our 100 percent backing is the way to proceed in the Middle East in regard to Israel.",3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
226,AUDIENCE,(APPLAUSE),3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
227,Hewitt,"Thank you, Governor. Senator Cruz, I want to stay in the region. Just this week the head of U.S. Central Command, General General Lloyd Austin, essentially said it's going to take a lot more troops on the ground to fix -- to end the ISIS threat in Syria and Iraq. From the beginning of this campaign, you have said you will follow the judgment of military commanders in the Pentagon. So here's the commander saying we need a lot more troops on the ground. Will you follow that advice and inject Americans again into what is in essence is metastasizing Sunni-Shia civil war?",3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
228,Cruz,"We need to do whatever is necessary to utterly defeat ISIS. And that's needs to be driven not by politicians but by military expertise and judgment. Right now we're not using a fraction of the tools that we have. We're not using our overwhelming air power. We're not arming the Kurds. Those need to be the first steps. And then we need to put whatever ground power is needed to carry it out. But, you know, a question that actually Jake asked, and I'm glad to come back to it now, is rules of engagement. We have right now our troops engaged in combat but President Obama has rules of engagement that are so strict that their arms are tied behind their back. They're not able to fight. They're not able to defend themselves. They're not able to kill the enemy. And I have got to tell you, Hugh, I think that is wrong. It is immoral. And I give my word to every soldier, sailor, and airman, and marine, and every wife and husband, every son and daughter, every mother and father, that will end in January 2017.",3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
229,AUDIENCE,(APPLAUSE),3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
230,Hewitt,"Governor Kasich, if it takes 20,000 or 30,000, if the Pentagon says that's what needs to be done, will you follow their advice?",3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
231,Kasich,"Hugh, I've said all along and laid out my foreign policy, I'm going to remind everybody that 55 percent of the foreign policy experts in this country said I was the best to be commander-in- chief. I spent 18 years on the Defense Committee, Armed Services, and then I was in the Pentagon with Donald Rumsfeld after 9/11, in and out for a couple of years. We absolutely have to win this with a coalition. Arabs have to be with us. The Europeans have to understand that this threat is closer to them than even is closer -- is as close as it is to us. And in addition to that, you have to be in the air and you have to be on the ground. And you bring all the force you need. It has got to be ""shock and awe"" in the military-speak. Then once it gets done, and we will wipe them out, once it gets done, it settles down, we come home and let the regional powers redraw the map if that's what it takes.",3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
232,Hewitt,"Mr. Trump, more troops?",3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
233,Trump,"We really have no choice. We have to knock out ISIS. We have to knock the hell out of them. We have to get rid of it. And then come back and rebuild our country, which is falling apart. We have no choice.",3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
234,Hewitt,How,3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
235,CANDIDATES,(CROSSTALK),3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
236,Trump,"I would listen to the generals, but I'm hearing numbers of 20,000 to 30,000. We have to knock them out fast. Look, we're not allowed to fight. We can't fight. We're not knocking out the oil because they don't want to create environmental pollution up in the air. I mean, these are things that nobody even believes. They think we're kidding. They didn't want to knock out the oil because of what it's going to do to the carbon footprint. We don't fight like we used to fight. We used to fight to win. Now we fight for no reason whatsoever. We don't even know what we're doing.",3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
237,AUDIENCE,(APPLAUSE),3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
238,Trump,"So, the answer is we have to knock them out. We have to knock them out fast. And we have to get back home. And we have to rebuild our country which is falling apart.",3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
239,Tapper,"Thank you, Mr. Trump. Let's turn from current conflicts to those who have served in conflicts. Senator Rubio, according to a V.A. study, of the 22 veterans who commit suicide every day, 17 of them have no connection to the V.A. The V.A. believes that this lack of connection is one of the reasons for this tragically high suicide rate. What specifically would you do as president to make sure that veterans in crisis are able to get the help they need?",3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
240,Rubio,"Well, first let me say that one out of four calls to our office is about a veteran here in Florida that's struggling with the V.A. my brother is a veteran. He's struggling with the V.A. The other day, we heard this horrible story. It was a headline in USA Today, and it said, ""Calls to the V.A. Suicide Hotline Went to Voicemail."" Well, about a few days ago, we now found out that one of the gentlemen -- one of the veterans who left a voicemail committed suicide. And they happened to call him back the day after he died. People need to be held accountable for this. One of the things I'm proudest of is that in my time in the U.S. Senate working with Jeff Miller here from Florida in a bipartisan way, and I'll give him credit -- Bernie Sanders was a part of this -- we passed a V.A. accountability bill. And what it did is it created now a law that gives the V.A. secretary, because of the law I passed, it gives the V.A. secretary the power to fire people that aren't doing a good job. Senior executives should be held accountable if the V.A. outreach isn't working. The problem is no one's being held accountable. Even after we passed that law, no one's been fired for no outreach. No one's been fired for calls going to the voicemail. No one's been disciplined. No one's been demoted. When I'm president of the United States, if you work at the V.A. and you are not doing a good job, you will be fired from your job at the V.A.",3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
241,AUDIENCE,(APPLAUSE),3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
242,Tapper,"Governor Kasich, the Veterans Affairs Department is one of the biggest line items in the domestic budget. As part of its attempt to cut costs, the Republican-controlled House of Representatives just voted to try to reduce spending in the post-9/11 GI Bill. Should veterans' benefits be part of attempts to reduce the deficit?",3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
243,Kasich,"I don't -- I haven't seen the provisions of that bill, Jake. My initial instincts are no. And let me just say about the V.A. When a veteran comes home, they ought to have access to healthcare wherever they want to go at any time, number one. Number two, the Veterans Administration needs to be restructured. It needs to be downsized and spread out. It needs to be so responsive to the needs of the veterans. And secondly, the Pentagon needs to share the information of returning veterans with the veterans' service operations in the states and with the job people in the states so that when a veteran comes home, they can be linked with a job. And when that happens, that means that every veteran will get work, because they're our golden employees. No veteran ought to be without healthcare; no veteran ought to be homeless; and no veteran ought to be unemployed in the United States of America.",3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
244,Tapper,"Thank you, Governor Kasich.",3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
245,AUDIENCE,(APPLAUSE),3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
246,Tapper,"Let's turn to another issue of real importance here in Florida. Just over a week from now, President Obama will visit Cuba, the first time in 88 years that a sitting U.S. president will set foot in Cuba. Two of you on this stage have parents who were born in Cuba and moved to the United States. Let's go back to my colleague Dana Bash.",3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
247,Bash,"Senator Rubio, Donald Trump agrees with President Obama in his decision to reengage diplomatically in Cuba. The majority of Americans seem to agree with that as well. So why are President Obama, Donald Trump and the majority of Americans wrong?",3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
248,Rubio,"Well, I would love the relationship between Cuba and the United States to change. But it will require Cuba to change, at least its government. Today, it has not. The fact of the matter is that after these changes were made -- after these changes were made, there are now millions and hundreds of millions of dollars that will flow to the Castro regime. It will now allow them to become set permanent and in stone. They will now be able to carry out a transition where the military continues to run the country there. They'll put a puppet figure forward as their new president. And nothing will change for the Cuban people. There has not been a single democratic opening; not a single change on the island in human rights. In fact, things are worse than they were before this opening. The only thing that's changed as a result of this opening is that now the Cuban government has more sources of money from which to build out their repressive apparatus and maintain themselves there permanently. And we asked nothing in return. Compare that to the changes that were required in Burma. And by no means is Burma a perfect country. But at least when there was a democratic opening to Burma, they were required to make some democratic openings. When there was a diplomatic opening, it required democratic opening. And today, the former minority party is now the majority party in their legislative body. He asked nothing in return and we are getting nothing in return. And Cuba and its regime remains an anti-American communist dictatorship, helped North Korea evade U.N. sanctions. It's harboring fugitives of American justice, including people stealing our Medicare money and moving back to Cuba, all in exchange for nothing.",3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
249,AUDIENCE,(APPLAUSE),3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
250,Bash,"Mr. Trump, you said the concept of opening Cuba is fine. You said the concept of opening Cuba is fine. Why do you agree with President Obama and disagree with what Senator Rubio just said?",3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
251,Trump,"Well, I don't really agree with President Obama. I think I'm somewhere in the middle. What I want is I want a much better deal to be made because right now, Cuba is making -- as usual with our country, we don't make good deal. We don't have our right people negotiating, we have people that don't have a clue. As an example, I heard recently where the threat was made that they want reparations for years of abuse by the United States, and nobody's talking about it and they'll end up signing a deal and then we'll get sued for $400 billion or $1 trillion. All that stuff has to be agreed to now. We don't want to get sued after the deal is made. So I don't agree with President Obama, I do agree something should be -- should take place. After 50 years, it's enough time, folks. But we have to make a good deal and we have to get rid of all the litigation that's going to happen. This was just a little story but it was a big story to me because I said oh, here we go, we make a deal, then get sued for a tremendous amount of money for reparations. So I want to do something, but it's got to be done intelligently. We have to make good deal.",3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
252,Bash,"Senator Rubio, I know you want to get in. But just to be clear, Mr. Trump, are you saying that if you were president, you would continue the diplomatic relations or would you reverse them?",3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
253,Trump,"I would want to make a good deal, I would want to make a strong, solid, good deal because right now, everything is in Cuba's favor. Right now, everything, every single aspect of this deal is in Cuba's favor. It the same way as the Iran deal. We never walked -- we never -- all we do is keep giving. We give and give and give.",3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
254,Bash,"But Mr. Trump, just to be clear, there is an embassy that you would have to decide whether it would be open or whether you would close it. Which would it be? In Havana.",3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
255,Trump,I would probably have the embassy closed until such time as a really good deal was made and struck by the United States.,3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
256,AUDIENCE,(APPLAUSE),3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
257,Rubio,"All right, first of all, the embassy is the former consulate. It's the same building. So it could just go back to being called a consulate. We don't have to close it that way. Second of all, I don't know where Cuba is going to use, but if they sue us in a court in Miami, they're going to lose.",3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
258,AUDIENCE,(APPLAUSE) (LAUGHTER),3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
259,Rubio,"Third, on the issue of a good deal, I know what the good deal. I'll tell you what the good deal now, it's already codified. Here's a good deal -- Cuba has free elections, Cuba stops putting people in jail for speaking out, Cuba has freedom of the press, Cuba kicks out the Russians from Lourdes and kicks out the Chinese listening station in Berupal Cuba stops helping North Korea evade U.N. sanctions, Cuba takes all of those fugitives of America justice, including that cop killer from New Jersey, and send her back to the United States and to jail where she belongs. And you know what? Then we can have a relationship with Cuba. That's a good deal.",3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
260,AUDIENCE,(APPLAUSE),3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
261,Bash,"Thank you, Senator Rubio. Senator Cruz, if you become president, would you reverse course and once again break diplomatic relations with Cuba?",3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
262,Cruz,"Yes, I would. And you know, I think this exchange actually highlights a real choice for Republican primary voters. When it comes to foreign policy, do you want to continue on the same basic trajectory as the last seven years of the Obama foreign policy? When it comes to these deals, Cuba and Iran, they were negotiated by Hillary Clinton and John Kerry. There's a real difference between us. Donald supported Hillary Clinton and John Kerry. And what he said right now is that he agrees in principle with what they're doing. The only thing he thinks is that they should negotiate a little bit better deals, they should be more effective. I have a fundamental disagreement and I think most Republicans and most Americans do, that we shouldn't be allowing billions of dollars to go to nations that hate us to go to Cuba, to go to Iran and to let them use those billions of dollars to try to murder us.",3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
263,AUDIENCE,(APPLAUSE),3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
264,Bash,Thank you Senator Cruz. Mr. Trump.,3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
265,Trump,"Well, if Ted was listening, he would have heard me say something very similar. I said we would not do the deal unless it was going to be a very good deal for us. And I think I said it loud and I think I said it very clear. And I think after 50 years, and I have many friends, I own many properties in Miami, many, many, and I have many people that know and they feel exactly the way I do, make a deal, it would be great, but it's got to be a great deal for the United States, not a bad deal for the United States. As far as Iran is concerned, I would have never made that deal. That is one of the worst deals ever, ever made by this country. It is a disaster. So for Ted to say I agree with this deal, I mean, it's a staple in my speeches that that may he worst single deal I've ever seen negotiated. So don't try to put it on me like it's wonderful, like I love it.",3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
266,Bash,"Senator Cruz, your response?",3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
267,Cruz,"Well, look. I'll point out first of all it is a matter of public record that Donald supported John Kerry in 2004 over George W. Bush, and he supported Hillary Clinton, gave her two checks in a presidential campaign in 2008. And indeed, once she was secretary of State, he described her as one of the greatest secretaries of State in industry. And, you know, the point on the Iran deal, his answer to everything is if only if someone smarter were in government, things would be better. No. We don't just need smarter people in government. We need leaders that are protecting American interests.",3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
268,AUDIENCE,(APPLAUSE),3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
269,Cruz,"And when it comes to Iran, Donald has said he would leave the agreement in place and try to renegotiate it, giving the Ayatollah Khomeini over $100 billion. That reflects you do not understand the radical Islam terrorist that is the Ayatollah that wants to murder us. We need a commander in chief that understands our",3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
270,OTHER,(BELL),3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
271,Cruz,...understands and doesn't give them billions of dollars to threaten our safety and security.,3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
272,AUDIENCE,(APPLAUSE),3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
273,Trump,"I was against the giving of the money at all cost. I said don't negotiate at all until you get the prisoners back. If the prisoners don't come back early -- three years ago. One of the longest negotiations I've ever seen, by the way. If they don't come back early, I was saying don't negotiate. They come back early. What you do is you take it back and you say, either give us the prisoners or we double up the sanctions. What we should have done is doubled up the sanctions and made a much better deal. Cause that deal is a disaster. Ted, the money is largely gone because of incompetent and very, very poor negotiators. But that money, the $150 billion, is largely gone and already spent everywhere but the United States.",3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
274,Bash,"Thank you Mr. Trump. Let's refocus this back on Cuba. Governor Kasich, a pair of entrepreneurs from Alabama and North Carolina have just received approval to build the first U.S. factory in Cuba, making tractor for small farms. This is a direct result of President Obama's policy in Cuba that we've been talking about. If you were elected would you encourage more U.S. companies to do business like that in Cuba?",3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
275,Kasich,"No, I wouldn't. Listen, I think the problem with the administration, if you talk to our friends around the world, they say what is America doing? You know, you don't support us, we can't figure out where you are. You won't arm the freedom fighters in Ukraine, we let the Russians trump up some excuse in the business of Russian-speaking people. You had a red line in Syria. You walked away from it. You refused to fund the Syrian rebels, you undercut Egypt and we ended up with the Muslim brotherhood for awhile. And then we turn our back on Netanyahu when he comes to Congress to talk about his concerns of the Iranian deal. Look, I know in human nature sometimes there's a sense that you make better with your enemies than you do with your friends. And you know what happens when you do that? You make a terrible mistake. You need to support your friends, you need to hold your enemies out",3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
276,AUDIENCE,(APPLAUSE),3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
277,Kasich,"...and you need to negotiate tough deals. The fact is, they need to understand who we are. The Chinese understand. They don't own the South China Sea. They have to stop hacking everything we have in this country or we'll take out their systems. We will arm the Ukrainians so they have lethal defensive aid. We will destroy ISIS and Mr. Putin, you better understand, you're either with us or you're against us. We're not rattling a sword. You're not our enemy but we're not going to put up with this nonsense any longer. And a strong America is what the entire world is begging for. Where has America gone is what many of our allies say around the world.",3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
278,OTHER,(BELL),3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
279,Kasich,"When I'm president, they're going to know exactly where we are because we're coming back.",3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
280,Tapper,"Thank you governor. Thank you governor. While we're discussing the issues of importance to Floridians, I reached out to the Republican mayor of Miami, Tomas Regalado, to find out what he wanted to hear from you this evening. Mayor Regalado told me, quote, ""Climate change means rising ocean levels, which in south Florida means flooding downtown and in our neighborhoods. It's an every day reality in our city. Will you, as president acknowledge the reality of the scientific consensus about climate change and as president, will you pledge to do something about it?"" Unquote. Senator Rubio, the Miami mayor has endorsed you. Will you honor his request for a pledge and acknowledge the reality of the scientific consensus of climate change and pledge to do something about it?",3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
281,Rubio,"Well, sure if the climate is changing and one of the reasons is because the climate has always been changing.",3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
282,AUDIENCE,(APPLAUSE),3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
283,Rubio,"There's never been a time when the climate has not changed. I think the fundamental question for a policy maker is, is the climate changing because of something we are doing and if so, is there a law you can pass to fix it? So on the issue of flooding in Miami, it's caused by two things. Number one, south Florida is largely built on land that was once a swamp. And number two, because if there is higher sea levels or whatever it may be happening, we do need to deal with that through mitigation. And I have long supported mitigation efforts. But as far as a law that we can pass in Washington to change the weather, there's no such thing.",3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
284,AUDIENCE,(APPLAUSE),3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
285,Rubio,"On the contrary, there is laws they want us to pass. There are laws they want to us pass that would be devastating for our economy or these programs like what the president has put in with the Clean Power Act or all these sorts of things that he's forcing down our throats on the war on coal. Let me tell you who is going to pay the price of that? Americans are going to pay the price of that. The cost of doing that is going to be rammed down the throats of the American consumer, the single parent, the working families who are going to see increases in the cost of living. The businesses who are going to leave America because it's more expensive to do business here than anywhere else. And you know what passing those laws would have -- what impact it would have on the environment? Zero, because China is still going to be polluting and India is still going to be polluting at historic levels. So, I am in favor of a clean environment. My children live in South Florida. My family is being raised here. I want this to be a safe and clean place, but these laws some people are asking us to pass will do nothing for the environment and they will hurt and devastate our economy.",3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
286,Tapper,"So just to clarify, Senator Rubio, Mayor Regalado when he talks about the reality of the scientific consensus about climate change, the Republican mayor of Miami, he's saying the scientific consensus is that man does contribute to climate change. When you talk to him, because he is the mayor of Miami and he has endorsed you, do you tell him that he's wrong?",3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
287,Rubio,"I would say to him that there is no law that they want us to pass that would have any impact on that. If we pass -- if you took the gift list of all of these groups that are asking us to pass these laws and did every single one of them, there would be no change in our environment. Sea level would still rise. All these other things that are happening would continue to go on for a lot of different reasons. One, because America is not a planet. It's a country. And number two, because these other countries like India and China are more than making up in carbon emissions for whatever we could possibly cut. Here's what he will immediately -- and Mayor Regalado is a great mayor and a good friend -- but here's what he's going to immediately going to start hearing from. He will immediately start hearing from families in South Florida who are barely making it by, and now their electric bill went up $20 or $30 a month because we just made it more expensive to generate power. That cost will be passed on to working families. I am not going to destroy the U.S. economy for a law that will do nothing for our environent.",3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
288,AUDIENCE,(APPLAUSE),3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
289,Tapper,"Governor Kasich, what would you say to the mayor of Miami?",3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
290,Kasich,"Well, I -- I do believe we contribute to climate change, but I don't think it has to be a, you know, either you're for some environmental stringent rules or, you know, you're not going to have any jobs. The fact is, you can have both. In our state, we've reduced emissions by 30 percent. But let me tell you also what we're trying to do. We want all the sources of energy. We want to dig coal, but we want to clean it when we burn it. We believe in natural gas. We believe in nuclear power. And you know what else I believe in? I happen to believe in solar energy, wind energy, efficiency, renewables matter. Now, it doesn't mean because you pursue a policy of being sensitive to the environment, because we don't know how much humans actually contribute. But it is important we develop renewables. Battery technology can unleash an entirely different world. So the fact is that you can have a strong environmental policy at the same time that you have strong economic growth and they are not inconsistent with one another.",3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
291,Tapper,"Thank you, Governor. Senator Cruz, I want to talk a little bit right now about how you gentlemen see the world. Senator Cruz, Colin Powell this week said that the nasty tone of this presidential election is hurting the image of the U.S. abroad. He said, quote, ""foreigners of the world looking at this are distressed."" Does it matter to you what the rest of the world thinks of the United States?",3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
292,Cruz,"Of course it does. And we've seen for seven years a president that has made the presidency and has made, sadly, his administration a laughing stock in the world. This administration started with President Obama sending back the bust of Winston Churchill to the United Kingdom within the opening weeks. Then he proceeded to go on a worldwide apology tour apologizing for the United States of America. Our friends and allies quickly learned America could not be counted on. I'll tell you, when I travel abroad, when I meet with heads of states and defense ministers and foreign ministers, they say over and over again, ""it is hard to be friends with America; we can't count on America; America doesn't stand with us."" And that is a disgrace. But the good news is, Jake, we've seen this before. We have seen a weak Democratic president undermine the military, weaken our readiness, weaken our respect in the world with Jimmy Carter. And in January 1981, Ronald Reagan came into office and that can change overnight. It's worth remembering Iran released our hostages the day Ronald Reagan was sworn into office.",3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
293,AUDIENCE,(APPLAUSE),3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
294,Cruz,"And America needs a president who stands with our friends and allies, as I will do, and who stands up and demonstrates strengths to our enemies. That's why on day one, I will rip to shreds this catastrophic Iranian nuclear deal because the Ayatollah Khamenei must never be allowed to acquire nuclear weapons.",3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
295,AUDIENCE,(APPLAUSE),3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
296,Tapper,"Thank you, Senator. Mr. Trump, some of your Republican critics have expressed concern about comments you have made praising authoritarian dictators. You have said positive things about Putin as a leader and about China's massacre of pro-democracy protesters at Tiananmen Square, you've said: ""When the students poured into Tiananmen Square, the Chinese government almost blew it, then they were vicious, they were horrible, but they put it down with strength. That shows you the power of strength."" How do you respond...",3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
297,Trump,"That doesn't mean I was endorsing that. I was not endorsing it. I said that is a strong, powerful government that put it down with strength. And then they kept down the riot. It was a horrible thing. It doesn't mean at all I was endorsing it. As far as Putin is concerned, I think Putin has been a very strong leader for Russia. I think he has been a lot stronger than our leader, that I can tell you. I mean, for Russia, that doesn't mean I'm endorsing Putin.",3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
298,Tapper,But the word strong obviously is a,3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
299,AUDIENCE,(APPLAUSE),3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
300,Tapper,...and many people would look at what the Chinese leaders have done and what Putin is doing as atrocities.,3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
301,Trump,I used to think Merkel was a great leader until she did what she did to Germany. Germany is a disaster right now. So I used to think that.,3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
302,AUDIENCE,(APPLAUSE),3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
303,Trump,"And strong doesn't mean good. Putin is a strong leader, absolutely. I could name many strong leaders. I could name very many very weak leaders. But he is a strong leader. Now I don't say that in a good way or a bad way. I say it as a fact.",3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
304,Tapper,"Governor Kasich, when you were a member of Congress, you were outspoken about the Tiananmen Square massacre. What do you think?",3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
305,Kasich,"I think that the Chinese government butchered those kids. And when that guy stood in front -- that young man stood in front of that tank, we ought to build a statue of him over here when he faced down the Chinese government.",3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
306,AUDIENCE,(APPLAUSE),3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
307,Kasich,"Now I will tell you, I don't believe that we need to make China an enemy. They are a competitor. But I want to go back to three things they should do. We should have the heat on them to work in North Korea to get rid of that guy and the things that he's doing, number one. Number two, they need to realize they don't own the South China Sea. And I will compliment the administration for sending a carrier battle group into the South China Sea. And thirdly, when it comes to the issue of cyber attacks, we're going to have to beef up the cyber command. And they need to understand that if you attack us we will defend ourselves, everything, including our grid. But if you do it, we have the capability to take out your systems. The president has not given the cyber command that authority. I will. And when it comes to trade, I will tell you this, they can't manipulate their currency. That will not be anything that I would allow them to get away with. And if I saw them doing it, I would take immediate action and make sure that the American worker is protected.",3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
308,AUDIENCE,(APPLAUSE),3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
309,Tapper,"Thank you, Governor Kasich. We're going to take another quick break. When we come back, we'll have more of the Republican presidential debate from Miami, Florida, right after this. Stay with us.",3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
310,OTHER,(COMMERCIAL),3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
311,AUDIENCE,(APPLAUSE),3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
312,Tapper,"Welcome back to the CNN Republican presidential debate in Miami, Florida. Mr. Trump, I want to start with you in this block. Earlier today, a man was arrested and charged with assault after sucker- punching a protester in the face at your rally in Fayettville, North Carolina. This is hardly the first incident of violence breaking out at one of your rallies. Today, Hillary Clinton, your potential general election opponent, clearly indicated she sees this as an issue for the campaign. She said, quote, ""this kind of behavior is repugnant. We set the tone for our campaigns, we should encourage respect, not violence."" Do you believe that you've done anything to create a tone where this kind of violence would be encouraged?",3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
313,Trump,"I hope not. I truly hope not. I will say this. We have 25, 30,000 people -- you've seen it yourself. People come with tremendous passion and love for the country, and when they see protest -- in some cases -- you know, you're mentioning one case, which I haven't seen, I heard about it, which I don't like. But when they see what's going on in this country, they have anger that's unbelievable. They have anger. They love this country. They don't like seeing bad trade deals, they don't like seeing higher taxes, they don't like seeing a loss of their jobs where our jobs have just been devastated. And I know -- I mean, I see it. There is some anger. There's also great love for the country. It's a beautiful thing in many respects. But I certainly do not condone that at all, Jake.",3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
314,Tapper,"Some of your critics point to quotes you've made at these debates -- at these rallies including February 23rd, ""I'd like to punch him in the face,"" referring to a protesters. February 27th, ""in the good ol' days, they'd have ripped him out of that seat so fast."" February 1st, ""knock the crap out of him, would, you? Seriously, OK, just knock the hell. I promise you I will pay for the legal fees, I promise, I promise.""",3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
315,AUDIENCE,(APPLAUSE),3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
316,Trump,"We have some protesters who are bad dudes, they have done bad things. They are swinging, they are really dangerous and they get in there and they start hitting people. And we had a couple big, strong, powerful guys doing damage to people, not only the loudness, the loudness I don't mind. But doing serious damage. And if they've got to be taken out, to be honest, I mean, we have to run something. And it's not me. It's usually the municipal government, the police because I don't have guards all over these stadiums. I mean, we fill up stadiums. It's usually the police -- and, by the way, speaking of the police, we should pay our respects to the police because they are taking tremendous abuse in this country and they do a phenomenal job.",3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
317,AUDIENCE,(APPLAUSE),3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
318,Trump,"So we should pay -- we should truly give our police. They're incredible people, we should give them a great deal more respect than they receive.",3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
319,AUDIENCE,(APPLAUSE),3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
320,Tapper,"Senator Cruz, are you concerned at all that these kind of scenes potentially hurt the Republican party for the general election?",3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
321,Cruz,"Listen, I think for every one of us, we need to show respect to the people. We need to remember who it is we're working for. You know, we've seen for seven years a president who believes he's above the law, who behaves like an emperor, who it is all about him and he forgot that he's working for the American people. And let me -- let me ask, turn the camera our here. How many of y'all feel disrespected by Washington?",3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
322,AUDIENCE,(APPLAUSE),3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
323,Cruz,"Washington isn't listening to the people. And that's the frustration that is boiling over. And we need to nominate and elects a president who remembers, he works for the people. You know, at Donald's rallies recently, he's taken to asking people in the crowd to raise their hand and pledge their support to him. Now, I got to say to me, I think that's exactly backwards. This is a job interview. We are here pledging our support to you, not the other way around.",3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
324,AUDIENCE,(APPLAUSE),3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
325,Cruz,"And the only hand raising I'm interested in doing is on January 20, 2017 raising my hand with my left hand on",3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
326,OTHER,(BELL),3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
327,Cruz,"...bible and pledging to the American people to preserve, protect and defend the constitution of United States.",3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
328,Tapper,"Thank you senator. Mr. Trump, if you'd like to respond.",3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
329,Trump,"It shows the total dishonesty of the press. We were having -- on a few occasions, again massive crowds. And we're talking and I'm saying who is going to vote on Tuesday? Who is going to vote? The place goes crazy. Then I say, hey, do me a favor. Raise your right hand. Do you swear you're going to vote for Donald Trump? Everyone's laughing, we're all having a good time. That's why I have much bigger crowds than Ted, because we have a good time at mine.",3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
330,AUDIENCE,(APPLAUSE),3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
331,Trump,"But we're all having a good time and the next day, on the Today Show and a couple of other place, not too many. Because when you look at it, everyone's smiling, laughing. Their arms are raised like this. They had pictures, still pictures of people and they tried to equate it to Nazi Germany.",3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
332,OTHER,(BELL),3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
333,Trump,"It is a disgrace. It was a total disgrace. And I've had reporters, people that you know, come up to me and said that -- what they did on the Today Show was a disgrace.",3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
334,AUDIENCE,(APPLAUSE),3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
335,Tapper,"Governor Kasich, do you worry about the scenes of violence at some of these rallies affecting the Republican party's chances in November?",3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
336,Kasich,"Well, I worry about the violence at a rally period. I mean, it's -- you know, elections are important but the unity of this country really matters. Jake, here's what I think is happening. There are people out there who are worried about their jobs. They're worried that somebody is going to come in and tell them they're out of work and they're 54 years old and they don't know where they're going to get another job, a man and a woman. Maybe they're worried about a trade deal. They're worried about the fact that their wages haven't gone up. They're worried that their kids went to college and the promise was, you go to college, you get a job, things are going to be great. They went to college, they rang up debt and they're still living in their parents' basement. People are uptight. Our seniors are worried they're going to lose their Social Security. There's two ways to treat it. You can either prey on that and be negative about it, or you tell people that these things can be fixed. If we're Americans rather than Republicans and Democrats, we get together, we can solve all of these problems. We can provide financial security, we can drive the wages up, we can get kids jobs with a more robust economy.",3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
337,OTHER,(BELL),3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
338,Kasich,And you know what? They want to help solve these problems right where they live and I'll give them the power to do it.,3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
339,Tapper,Thank you governor. Senator Rubio? I know you want to say something.,3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
340,Rubio,"I do. A couple of points. The first is, I'm concerned about violence in general in this society. And by the way, the first people that are facing that violence are our law enforcement officers. And they deserve our respect and they deserve our thanks for everything they do for us. On the issue of anger. Yes, people are angry. Of course they're angry. Every institution in America has been failing us for the better part of 20 years or 30 years. But leadership is not about using the anger, leadership is about using the anger to motivate us, not to define us. But to motivate us to take action. Being here in Miami is special. My grandfather lived with us most of his life while I was growing up. And he would sit on the porch of our home and tell me all kinds of stories and things I learned about history. My grandfather was born in 1899 before there were airplanes in the sky. One night in the summer of 1969, he watched a man set foot on the moon.",3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
341,OTHER,(BELL),3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
342,Rubio,"You know what he said when he saw that? He said Americans can do anything. Americans can do anything. There is no problem before us we cannot solve and we can solve it if we come together in a serious way, in this generation.",3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
343,Tapper,Thank you senator.,3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
344,Rubio,And embrace all of the principles that made us great.,3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
345,Tapper,Thank you senator.,3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
346,AUDIENCE,(APPLAUSE),3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
347,Tapper,"The math suggests that it possible that not one of you will reach the magic number of 1,237 delegates before the Republican convention, which would mean a contested convention. Let's go back to Salem Radio's Hugh Hewitt.",3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
348,Hewitt,"Thank you Jake. Governor Kasich, the math and the maps say that you can only become the nominee if in fact there is a contested convention. If we arrive on the shores of Lake Erie, Donald Trump has the most delegates. Why shouldn't the person with the most delegates, even if it's not a majority of delegates, be the nominee?",3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
349,Kasich,"Well, first of all, let's not -- you know, math doesn't tell the whole story in politics. The great thing about politics, the reason why we watch it is because what's true today is not necessarily true tomorrow. So let's not get ahead of ourselves. Secondly, look, when you went to school up there in Salem, Ohio, OK. If you got an 86, you got a B. Because everybody else had an 84 didn't mean you got an A. So you just have to win enough delegates to be the nominee. And frankly, I don't know if we're going to get a convention like that. But if we do, I was at one in 1976 as a wee lad and supported Ronald Reagan and actually worked directly with him. He tried valiantly. He lost. Gerald Ford won. The party was united. Gerald Ford served the country great by pardoning Richard Nixon. He lost the election probably because of that, but he put America first. And we were healed as a party. So, look, you have to earn the delegates in order to be picked. But let's not get ahead of ourselves. We don't know what's going to happen because we still have about half the delegates to be selected. And that's what's going to be a very interesting thing to see how it all turns out as we move forward over the next couple of weeks.",3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
350,AUDIENCE,(APPLAUSE),3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
351,Hewitt,"Thank you, Governor. Mr. Trump, if you arrive in Cleveland with a plurality and the most, but not a majority, is it legitimate for someone else to emerge from that convention the nominee? And if so, would you support that person?",3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
352,Trump,"I think that what should happen, getting back maybe a little bit to your first question, I think that whoever -- first of all, I think I'm going to have the delegates. OK? I think. Let's see what happens.",3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
353,AUDIENCE,(APPLAUSE),3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
354,Trump,"But if somebody doesn't have the delegates, and I guess there's two of us up here that can and there are two of us that cannot at this moment. But if -- no, that's just -- by the way, that is not meant to be a criticism. That's just a mathematical fact. OK? If two of us get up there, I would say this, if -- if Marco, if the governor, if Ted had more votes than me in the form of delegates, I think whoever gets to the top position as opposed to solving that artificial number that was by somebody, which is a very random number, I think that whoever gets the most delegates should win. That's what I think.",3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
355,Hewitt,"Senator Cruz, if you -- if you overtake Donald Trump at the convention, what will you do to take his very passionate supporters and keep them from bolting the convention and sabotaging the fall election?",3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
356,Cruz,"Well, look, there are some folks in Washington...",3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
357,Trump,Make me president.,3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
358,AUDIENCE,(APPLAUSE),3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
359,Cruz,"Donald, you are welcome to be president of the Smithsonian.",3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
360,AUDIENCE,(APPLAUSE),3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
361,Cruz,"You know, there are some in Washington who are having fevered dreams of a brokered convention. They are unhappy with how the people are voting and they want to parachute in their favored Washington candidate to be the nominee. I think that would be an absolute disaster and we need to respect the will of the voters.",3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
362,AUDIENCE,(APPLAUSE),3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
363,Cruz,"It's one of the reasons why in the course of this election -- listen, everyone up here has worked very hard. But Donald is right, there are only two of us that have a path to winning the nomination, Donald and myself. At this point, I have roughly 360 delegates. He has about 100 more than I have. We have at this point beaten Donald in eight separate states all over the country geographically, from Maine to Alaska, from Kansas to Texas, all over this country we have beaten him. And so for the people at home, if you're one of the 65, 70 percent of Republicans who recognizes that if we nominate Donald Trump, Hillary wins. That's why the media wants him to be the nominee so much. If you recognize that, then I want to invite you if you've supported other candidates, come and join us. We are seeing candidates coming together and uniting. It's why Carly Fiorina endorsed me yesterday. It's why Mike Lee endorsed me today. I ask everyone to come together. Let's stand together and let's beat Hillary Clinton in November.",3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
364,Hewitt,"All right. Thank you, Senator.",3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
365,AUDIENCE,(APPLAUSE),3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
366,Hewitt,"Mr. Trump, then to Senator Rubio.",3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
367,Trump,"You know, I listen and I watch Ted on television and when he speaks, and he's always saying, ""I'm the only one that beat Donald in six contests; and I beat him."" But I beat him in 13 contests. He never mentions that.",3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
368,AUDIENCE,(APPLAUSE),3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
369,Trump,"And let me just tell you another little fact, little minor fact. I have about a 1.6 million votes during this primary season, more votes than Ted. The other thing is, I beat Hillary, and I will give you the list, I beat Hillary in many of the polls that have been taken. And each week, I get better and better. And believe me, I haven't even started on her yet.",3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
370,Hewitt,Senator Rubio?,3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
371,Rubio,"Let me tell you what this election is about for me. And I get all the delegate math and all that debate. Let me tell you what's about for me. On Tuesday night, I didn't do as well, obviously, as I wanted to. And I was a little bit disappointed when I got home. And my wife told me a story that night, which is the reason why I can get up the next day and keep fighting. There's a gentleman here in South Florida who just got out of surgery. And his doctors told him he needs to be home resting. But every afternoon, he takes his little aluminum chair and he sits outside of an early polling center and holds a sign that says ""Marco Rubio."" Because for him, I symbolize all the sacrifices that his generation made so their children could have a better life than themselves",3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
372,AUDIENCE,(APPLAUSE),3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
373,Rubio,That gentleman has not given up on me and I am not going to give up on him. I am going to work tirelessly every single,3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
374,AUDIENCE,(APPLAUSE),3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
375,Rubio,"...because this election is too important. What's at stake is the future of this country. And I believe -- I believe that at the end of this process this nation will make the right choice because I've always believed that God has blessed America, that God's hand is upon this country and that its greatest days are yet to come.",3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
376,AUDIENCE,(APPLAUSE),3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
377,Tapper,"Thank you, Senator. Let's send it back to Stephen Dinan of the Washington Times. Stephen?",3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
378,Dinan,"Mr. Trump, one of your biggest selling points is that you are largely self-funding your campaign, and you argue your opponents are controlled by their special interest donors. Will you maintain your pledge not to take outside contributions throughout the general election?",3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
379,Trump,"I have not made that decision yet. I will make a decision on that, but I have not made that decision. My decision was that I would go through the entire primary season and I have turned down probably $275 million worth. I have many, many friends that come up all day long, $5 million, $10 million, I'm turning down money. I feel sort of foolish to be honest with you. I don't know if I get any credit for it but I'm self-funding my campaign. And other than -- and by the way, other than very small donations where people are sending in $200, $15, $20, and we have some of that, but it's not a large amount. No, I'm self-funding my campaign, and the reason is that I've been in this business a long time and I was on the other side -- until eight months ago I was on the or side. I made massive contributions, large contributions to politicians, both Democrats and Republicans. I was liked by everybody, which is an important thing. I will say this -- people control special interests, lobbyists, donors, they make large contributions to politicians and they have total control over those politicians. I don't want anybody to control me but the people right out there. And I'm going to do the right thing.",3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
380,AUDIENCE,(APPLAUSE),3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
381,Dinan,"Senator Cruz, I want to come to you. The vast majority of Republicans, and voters overall, agree with Mr. Trump that candidates are beholden to people and groups who donate to their campaigns. Do you deny that those big donors do have influence?",3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
382,Cruz,"Well look, absolutely. And one of the things we're so frustrated about is the corruption, what I've called the Washington cartel. It's career politicians in both parties that get in bed with the lobbyists and special interests. And listen, Donald told you for 40 years he's been sitting at that table using his money to buy influence, supporting liberal Democrats like Hillary Clinton and John Kerry, but also supporting the Republican establishment and funding their effort to crush the Tea Party. And now his argument is after four decades of being part of that influence buying, after Hillary Clinton spending decades being part of that influence selling, that suddenly he will change. But the interesting point is tonight he hasn't pointed to a single special interest he's willing to take on. He didn't take on Wall Street when he supported the TARP bailout in Wall Street. He won't take on ethanol. And my campaign, by contrast, was funded by 1.1 million contributions all over this country.",3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
383,Dinan,"Thank you, Senator. I want to go to Mr. Trump...",3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
384,Cruz,$62 at tedcruz.org.,3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
385,Dinan,"... for a response. Thank you, Senator.",3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
386,Cruz,"That's who you've got to be accountable to, the people.",3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
387,Trump,"Ted was given to PACs. I mean, PACs -- you know, these super PACs are a disaster, by the way, folks. Very corrupt. It's going to lead to lots of disasters. But Ted has super PACs and you have to look at the people that are giving to those super PACs, number one. It's very important to do that. There is total control of the candidates, I know it better than anybody that probably ever lived. And I will tell you this, I know the system far better than anybody else and I know the system is broken. And I'm the one, because I know it so well because I was on both sides of it, I was on the other side all my life and I've always made large contributions. And frankly, I know the system better than anybody else and I'm the only one up here that's going to be able to fix that system because that system is wrong.",3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
388,Dinan,"Thank you, Mr. Trump. Senator Rubio, I want to come to you with a question. At the last debate, you mocked Mr. Trump for being flexible. With so much gridlock in Washington, how can you expect to lead the country and get things done if you aren't willing to show flexibility?",3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
389,Rubio,"Well, I think you can be flexible about ideas, you shouldn't be flexible about your principles. About when it comes to ideas and working with people, I have a record of having done that. Listen, on the issue of higher education, I'm the only one that continually talks about student loan debt because I owed over $100,000 of student loan debt. So I know this is a major issue. And all my ideas that deal with higher education are bipartisan. The VA Accountability Act that I passed I did it on a -- on a bipartisan basis. The sanctions that I helped -- that I imposed on Hezbollah I did it on a bipartisan basis. The Girls Count Act that deals with human trafficking, we did that on a bipartisan basis. But I also want to be frank. There are issues we're going to have to have an election over. When it comes to repealing and replaces Obamacare, that's not going to be bipartisan. When it comes to reducing the tax burdens on Americans, that's not going to be bipartisan. When it comes to shrinking the size of the federal bureaucracy,that's probably not going to be bipartisan. There are issues we can work together on and we should, but there are fundamental issues about the proper role of government. And on those issues, I will fight anyone who wants to expand government, raise taxes, or weaken our military.",3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
390,AUDIENCE,(APPLAUSE),3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
391,Dinan,"All right. Mr. Trump, I want to give you a chance to respond, but specifically you talked about flexibility and one of the examples you gave was the height of the border fence. What are some of the other issues on which you're willing to show flexibility?",3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
392,Trump,"It depends on what comes up. You never know. It depends on what comes up. Look, look, we had a great president, Ronald Reagan. We had Tip O'Neill, speaker. And what do we do, we take these two men that are very, very different men, they got along, they had relationships, and they got things, and very beautifully. Nobody is complaining about the deals that Ronald Reagan made. And he made it with Tip O'Neill. We need to have people get together and work good deals out, good deals out from our standpoint. And I'll tell you this, it can be done. We don't want to continue to watch people signing executive orders because that was not what the Constitution and the brilliant designers of this incredible document had in mind. We need people that can make deals and can work, because right now in Washington there's total, absolute gridlock.",3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
393,Dinan,"Thank you. I want to go to Governor Kasich on this issue of flexibility, sir.",3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
394,Kasich,"Well, look, my record speaks for itself. What I talk about tonight is not a theory. These are things that I've done. I was there when we reformed the Pentagon on a bipartisan basis to give control to the commanders in the field and force the services to work together. I was the chief architect, along with Senator Domenici, of the last time we balanced the budget and the first time since we walked on the moon. I was there when I worked on the welfare reform in Washington. And we got it done and we eliminated the entitlement on welfare, I then went to Ohio and took Ohio from a basket case, working in a bipartisan basis to reform many things, including the Cleveland public schools, working with a Democratic mayor. My problem isn't that people don't know this. They say, well, what does that mean? Does that mean you're too easy? Well, let me tell you, when we did the balanced budget, we cut the capital gains tax, we provided a family tax credit, we shrunk the government. In my state, the state of Ohio, has the smallest government in the state of Ohio in 30 years. Conservative principles will work. But show respect to the other side. One final thing, in regard to Social Security, we will not get that done alone. We will have to have some responsible Democrats who will come in to fix the problem of Social Security. I know how to do it because I've done it and I'll do it again.",3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
395,AUDIENCE,(APPLAUSE),3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
396,Tapper,"Thank you, Governor. We have time for one last break. We'll be right back after this.",3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
397,AUDIENCE,(APPLAUSE),3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
398,OTHER,(COMMERCIAL),3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
399,Tapper,"And we're back with the Republican presidential debate, just five days before the next primary elections. It is time now for closing statements. Candidates, you will each have one minute. And we'll start with Governor Kasich.",3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
400,Kasich,"Well, I'd like to say to all of you, the American people, I have run an unwavering, positive campaign for president of the United States. I have tried to be positive in such a way as to show my record, my accomplishments, my vision. And I wanted to raise the bar in presidential politics so our kids can take a look at the way you can run for president and you will someday maybe be president of the United States. Sometimes being positive isn't all that interesting, but it's very interesting to my family, my children and so many supporters that I meet all across the country and I will continue to run a positive campaign. I can fix the problems in Washington, I've done it before. And, in fact, I want to turn power, money and influence back to you, the American people, so that you can be in the schools and on the streets fighting drugs and dealing with the issues of poverty. We can do this together. Allow me to take care of the federal issues when I send the power back and the money and the influence to you and you can strengthen our nation and our neighborhoods and our families. That's where the spirit and strength of America is. But ask the people -- my friends in Illinois and of course, my beloved Buckeyes to consider me on Tuesday and, please, let me have your vote. God bless.",3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
401,AUDIENCE,(APPLAUSE),3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
402,Tapper,Senator Rubio.,3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
403,Rubio,"It's great to be here, back at home in Miami. It's hard to believe that just two decades ago, my father was just a bartender working in the city. And now his son stands on this stage, here, as a candidate for the highest office in the land. My parents never wanted me to go into politics or in particular or anything else. They just wanted me to have the opportunity to live out all the dreams they once had for themselves. And that was possible because America is a special country. But that was not an accident. America is great because each generation before us did what needed to be done. They solved their problems, they confronted their challenges. They embraced their opportunities. And for over two centuries, each generation has left the next better off. And now the moment has arrived for our generation to do our part. And I'm telling you tonight, if you vote for me, here in Florida and everywhere across this country on Tuesday, when I'm elected president, this generation will do it's part. We will do whatever it takes to ensure that our children inherit from us, what we inherited from our parents, the single greatest nation in the history of all of mankind.",3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
404,AUDIENCE,(APPLAUSE),3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
405,Tapper,Senator Cruz.,3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
406,Cruz,"What an incredible nation we have, that the son of a bartender and the son of mailman and the son of a dishwasher and a successful businessman, can all stand on this stage, competing and asking for your support. In just a few months, one of us is going to stand on the debate stage with Hillary Clinton. And the choice we are making today is who will best defend our values? Who will best defend your values and fight for you? I have to tell you, I cannot wait to stand on that stage with Hillary Clinton and say, ""Madam Secretary, you are asking for a third term of a failed administration. You are asking for millions more to remain in stagnant jobs; for millions more steelworkers to be out of work; for wages to remain low; for young people not to have a future."" We can do better. We can instead repeal Obamacare, abolish the IRS, unleash millions of jobs, defend the Bill of Rights, defend the Second Amendment and religious liberty, stand with our cops and our firefighters and our soldiers, and we can keep America safe. That's the choice I will put to her this fall.",3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
407,AUDIENCE,(APPLAUSE),3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
408,Tapper,Mr. Trump?,3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
409,Trump,"Thank you very much. The Republican Party has a great chance to embrace millions of people that it's never known before. They're coming by the millions. We should seize that opportunity. These are great people. These are fantastic people. These are people that love our country. These are people that want to see America be great again. These are people that will win us the election and win it easily. These are people that once the election is won will be able to put Supreme Court justices up that will do a fabulous job. Because let me tell you, if we lose this election, you're going to have three, four or maybe even five justices and this country will never, ever recover. It will take centuries to recover. So I just say embrace these millions of people that now for the first time ever love the Republican Party. And unify. Be smart and unify.",3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
410,AUDIENCE,(APPLAUSE),3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
411,Tapper,"And that concludes this 12th Republican presidential debate. We want to thank the candidates, the Republican National Committee, the University of Miami and, of course, each of you for watching.",3/10/16,Republican,"Miami, Florida",http://www.presidency.ucsb.edu/ws/index.php?pid=115148
1,Holt,"Good evening and welcome to the NBC News Youtube Democratic candidate's debate. After all the campaigning, soon, Americans will have their say with the first votes of the 2016 campaign just 15 days away in Iowa. And New Hampshire not far behind. Tonight will be the final opportunity to see these candidates face to face before the voting begins. Our purpose here tonight is to highlight and examine the differences among the three Democratic candidates. So let's get started. Please welcome Secretary Hillary Clinton, Senator Bernie Sanders and Governor Martin O'Malley.",1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
2,AUDIENCE,(APPLAUSE),1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
3,Holt,"Well, welcome to all of you. Hope you're excited, we're excited. We want to thank our hosts, the Congressional Black Caucus Institute. I'm joined by my colleague Andrea Mitchell tonight. The rules are simple. Sixty seconds for answers, 30 seconds for follow-ups or rebuttals. I know you'll all keep exactly to time, so our job should be pretty easy here tonight. We'll have questions from the Youtube community throughout the debate. This is a critical point in the race. You've been defining your differences with each other especially vigorously in the last week on the campaign trail. We're here to facilitate this conversation on behalf of the voters so that they know exactly where you stand as you face off tonight. Let's have a great debate. We'll begin with 45 second opening statements from each candidate, starting with Secretary Clinton.",1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
4,Clinton,"Well, good evening. And I want to thank the Congressional Black Caucus Institute and the people of Charleston for hosting us here on the eve of Martin Luther King Day tomorrow. You know, I remember well when my youth minister took me to hear Dr. King. I was a teenager. And his moral clarity, the message that he conveyed that evening really stayed with me and helped to set me on a path to service. I also remember that he spent the last day of his life in Memphis, fighting for dignity and higher pay for working people. And that is our fight still. We have to get the economy working and incomes rising for everyone, including those who have been left out and left behind. We have to keep our communities and our country safe. We need a president who can do all aspects of the job. I understand that this is the hardest job in the world. I'm prepared and ready to take it on and I hope to earn your support to be the nominee of the Democratic Party and the next president of the United States.",1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
5,AUDIENCE,(APPLAUSE),1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
6,Holt,"Thank you. Senator Sanders, your opening statement, sir.",1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
7,Sanders,"Thank you. As we honor the extraordinary life of Dr. Martin Luther King Jr., it's important not only that we remember what he stood for, but that we pledge to continue his vision to transform our country. As we look out at our country today, what the American people understand is we have an economy that's rigged, that ordinary Americans are working longer hours for lower wages, 47 million people living in poverty, and almost all of the new income and wealth going to the top one percent. And then, to make a bad situation worse, we have a corrupt campaign finance system where millionaires and billionaires are spending extraordinary amounts of money to buy elections. This campaign is about a political revolution to not only elect the president, but to transform this country.",1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
8,Holt,"Senator, thank you.",1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
9,AUDIENCE,(APPLAUSE),1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
10,Holt,"And Governor O'Malley, your opening statement, sir.",1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
11,O'Malley,"Thank you. My name is Martin O'Malley, I was born the year Dr. King delivered his ""I Have A Dream"" speech. And I want to thank the people of South Carolina, not only for hosting our debate here tonight, but also for what you taught all of us in the aftermath of the tragic shooting at Mother Emanuel Church. You taught us, in fact, in keeping with Dr. King's teaching, that love would have the final word when you took down the Confederate flag from your state house; let go of the past and move forward. Eight years ago, you brought forward a new leader in Barack Obama to save our country from the second Great Depression. And that's what he's done. Our country's doing better, we're creating jobs again. But in order to make good on the promise of equal opportunity and equal justice under the law, and we have urgent work to do, and the voices of anger and fear and division that we've heard coming off of the Republican presidential podiums are pretty loud. We need new leadership. We need to come together as a people and build on the good things that President Obama has done. That's why I'm running for president. I need your help, I ask for your vote, and I look forward to moving our country forward once again. Thank you.",1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
12,Holt,"All right. And Governor, thank you.",1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
13,AUDIENCE,(APPLAUSE),1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
14,Holt,"All right, to our first question, now. The first question, I'll be addressing to all of the candidates. President Obama came to office determined to swing for the fences on health care reform. Voters want to know how you would define your presidency? How would you think big? So complete this sentence: in my first 100 days in office, my top three priorities will be -- fill in the blank. Senator Sanders.",1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
15,Sanders,"Well, that's what our campaign is about. It is thinking big. It is understanding that in the wealthiest country in the history of the world, we should have health care for every man, woman, and child as a right that we should raise the minimum wage to at least $15 an hour; that we have got to create millions of decent- paying jobs by rebuilding our crumbling infrastructure. So, what my first days are about is bringing America together, to end the decline of the middle class, to tell the wealthiest people in this country that yes, they are going to start paying their fair share of taxes, and that we are going to have a government that works for all of us, and not just big campaign contributors.",1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
16,AUDIENCE,(APPLAUSE),1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
17,Holt,"Secretary Clinton, same question, my first 100 days in office, my top three priorities will be.",1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
18,Clinton,"I would work quickly to present to the Congress my plans for creating more good jobs in manufacturing, infrastructure, clean and renewable energy, raising the minimum wage, and guaranteeing, finally, equal pay for women's work. I would",1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
19,AUDIENCE,(APPLAUSE),1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
20,Clinton,"...I would also be presenting my plans to build on the Affordable Care Act and to improve it by decreasing the out-of-pocket costs by putting a cap on prescription drug costs; by looking for ways that we can put the prescription drug business and the health insurance company business on a more stable platform that doesn't take too much money out of the pockets of hard-working Americans. And third, I would be working, in every way that I knew, to bring our country together. We do have too much division, too much mean- spiritedness. There's a lot we have to do on immigration reform, on voting rights, on campaign finance reform, but we need to do it together. That's how we'll have the kind of country for the 21st century that we know will guarantee our children and grandchildren the kind of future they deserve.",1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
21,AUDIENCE,(APPLAUSE),1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
22,Holt,"Governor O'Malley, same question.",1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
23,O'Malley,"Thank you. First of all, I would lay out an agenda to make wages go up again for all Americans, rather than down. Equal pay for equal work, making it easier rather than harder for people to join labor unions and bargain collectively for better wages; getting 11 million of our neighbors out of the underground shadow economy by passing comprehensive immigration reform, raising the minimum wage to $15 an hour, however we can, wherever we can. Secondly, I believe the greatest business opportunity to come to the United States of America in 100 years is climate change. And I put forward a plan to move us to a 100 percent clean electric energy grid by 2050 and create 5 million jobs along the way.",1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
24,AUDIENCE,(APPLAUSE),1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
25,Holt,Thank you. You've all...,1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
26,O'Malley,"Finally -- I'm sorry, that was second, Lester. And third and finally, we need a new agenda for America's cities. We have not had a new agenda for America's cities since Jimmy Carter. We need a new agenda for America cities that will invest in the talents and skills in our people, that will invest in CBVG transportation, infrastructure and transit options, and make our cities the leading edge in this move to a redesigned built clean green energy future that will employ our people.",1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
27,Holt,"All right governor thank you. We've all laid out large visions and we're going to cover a lot of the ground you talked about as we continue in the evening. The last couple of weeks of this campaign have featured some of the sharpest exchanges in the race. Let's start with one of them, the issue of guns. Senator Sanders, last week Secretary Clinton called you quote, ""a pretty reliable vote for the gun lobby."" Right before the debate you changed your position on immunity from lawsuits for gun manufacturers, can you tell us why?",1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
28,Sanders,"Well, I think Secretary Clinton knows that what she says is very disingenuous. I have a D-minus voting record from the NRA. I was in 1988, there were three candidates running for congress in the state of Vermont, I stood up to the gun lobby and came out and maintained the position that in this country we should not be selling military style assault weapons. I have supported from day one and instant background check to make certain that people who should have guns do not have guns. And that includes people of criminal backgrounds, people who are mentally unstable. I support what President Obama is doing in terms of trying to close the gun show loop holes and I think it should be a federal crime if people act as dormant. We have seen in this city a horrendous tragedy of a crazed person praying with people in the coming up and shooting nine people. This should not be a political issue. What we should be doing is working together. And by the way, as a senator from a rural state that has virtually no gun control, I believe that I am in an excellent position to bring people together to fight the sensible...",1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
29,Holt,"Senator, but you didn't answer the question that you did change your position on immunity from gun manufacturers. So can you...",1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
30,Sanders,"What I have said, is that gun manufacturer's liability bill has some good provisions among other things, we've prohibited ammunition that would've killed cops who had protection on. We have child safety protection work on guns in that legislation. And what we also said, ""is a small mom and pop gun shop who sells a gun legally to somebody should not be held liable if somebody does something terrible with that gun."" So what I said is, "" I would re-look at it."" We are going to re- look at it and I will support stronger provisions.",1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
31,Holt,"Secretary Clinton, would you like to respond to Senator Sanders.",1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
32,Clinton,"Yes look, I have made it clear based on Senator Sanders' own record that he has voted with the NRA, with the gun lobby numerous times. He voted against the Brady Bill five times. He voted for what we call, the Charleston Loophole. He voted for immunity from gunmakers and sellers which the NRA said, ""was the most important piece of gun legislation in 20 years. "" He voted to let guns go onto the Amtrak, guns go into National Parks. He voted against doing research to figure out how we can save lives. Let's not forget what this is about, 90 people a day die from gun violence in our country. That's 33,000 people a year. One of the most horrific examples not a block from here where we had nine people murdered. Now, I am pleased to hear that Senator Sanders has reversed his position on immunity and I look forward to him joining with those members of congress who have already introduced legislation. There is no other industry in America that was given the total pass that the gun makers and dealers were and that needs to be reversed.",1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
33,Holt,"All right, Governor O'Malley, you signed tough gun control measures as governor of Maryland and there are a lot Democrats in the audience here in South Carolina who own guns. This conversation might be worrying many of them. They may be hearing, ""you want to take my guns. What would you say to them?",1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
34,O'Malley,"This is what I would say Lester, look see, I've listened to Secretary Clinton and Senator Sanders go back and forth on which of them has the most inconsistent record on gun safety legislation and I would have to agree with both of them. They've both been inconsistent when it comes to this issue. I'm the one candidate on this stage that actually brought people together to pass comprehensive gun safety legislation. This is very personal to me being from Baltimore. I will never forget one occasion visiting a little boy in Johns' Hopkins Hospital, he was getting a birthday haircut, the age of three when drug dealers turned that barbershop into a shooting gallery and that boy's head was pierced with a bullet. And I remember visiting him, it did not kill him - I remember visiting him and his mother in Johns Hopkins Hospital. He was getting a birthday haircut, the age of three when drug dealers turned that barbershop into a shooting gallery, and that boys head was pierced with a bullet. And, I remember visiting him, it did not kill him. I remember visiting him and his mother in Johns Hopkins Hospital. In his diapers with tubes running in and out of his head, same age as my little boy. So, after the slaughter of the kids in Connecticut last year, we brought people together. We did pass in our state comprehensive gun safety legislation. It did have a ban on combat assault weapons, universal background checks, and you know what? We did not interrupt a single person's hunting season. I've never met a self respecting deer hunter that needed an AR-15 to down a deer. And,",1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
35,AUDIENCE,(APPLAUSE),1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
36,O'Malley,...we're able to actually do these things.,1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
37,Holt,"Alright, Governor, thank you. Secretary Clinton, this is a community that has suffered a lot of heartache in the last year. Of course, as you mentioned, the church shootings. We won't forget the video of Walter Scott being shot in the back while running from police. We understand that a jury will decide whether that police officer was justified, but it plays straight to the fears of many African American men that their lives are cheap. Is that perception, or in your view, is it reality?",1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
38,Clinton,"Well, sadly it's reality, and it has been heartbreaking, and incredibly outraging to see the constant stories of young men like Walter Scott, as you said, who have been killed by police officers. Their needs to be a concerted effort to address the systemic racism in our criminal justice system. And, that requires a very clear, agenda for retraining police officers, looking at ways to end racial profiling, finding more ways to really bring the disparities that stalk our country into high relief. One out of three African American men may well end up going to prison. That's the statistic. I want people hear to think what we would be doing if it was one out of three white men, and very often, the black men are arrested, convicted and incarcerated",1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
39,AUDIENCE,(APPLAUSE),1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
40,Clinton,"...for offensive that do not lead to the same results for white men. So, we have a very serious problem that we can no longer ignore.",1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
41,Holt,"You time is up. Senator Sanders, my next question is...",1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
42,Sanders,"...Well, I -- look...",1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
43,Holt,... It's actually -- actually my next question is to you...,1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
44,Sanders,"... Let me respond to what the secretary said. We have a criminal justice system which is broken. Who in America is satisfied that we have more people in jail than any other country on Earth, including China? Disproportionately African American, and Latino. Who is satisfied that 51% of African American young people are either unemployed, or underemployed? Who is satisfied that millions of people have police records for possessing marijuana when the CEO's of Wall Street companies who destroyed our economy have no police records.",1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
45,AUDIENCE,(APPLAUSE),1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
46,Holt,Senator Sanders...,1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
47,Sanders,... We need to take a very hard look at our...,1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
48,Holt,Senator. Senator Sanders...,1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
49,Sanders,"... criminal justice system, investing in jobs, and education not in jails and incarceration .",1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
50,Holt,"... Just over a week ago the chairman of the Congressional Black Caucus endorsed Secretary Clinton, not you. He said that choosing her over you was not a hard decision. In fact, our polling shows she's beating you more than two to one among minority voters. How can you be the nominee if you don't have that support?",1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
51,Sanders,"Well, let me talk about polling.",1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
52,AUDIENCE,(LAUGHTER),1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
53,Sanders,"As Secretary Clinton well knows, when this campaign began she was 50 points ahead of me. We were all of three percentage points. Guess what? In Iowa, New Hampshire, the race is very, very close. Maybe we're ahead New Hampshire.",1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
54,AUDIENCE,(APPLAUSE),1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
55,Sanders,"In terms of polling, guess what? We are running ahead of Secretary Clinton. In terms of taking on my taking on my good friend, Donald Trump, beating him by 19 points in New Hampshire, 13 points in the last national poll that we saw. To answer your question. When the African American community becomes familiar with my Congressional record and with our agenda, and with our views on the economy, and criminal justice -- just as the general population has become more supportive, so will the African American community, so will the Latino community. We have the momentum, we're on a path to a victory.",1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
56,AUDIENCE,(APPLAUSE),1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
57,O'Malley,"Lester, I (inaudible)",1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
58,Holt,"Governor, I'm going to come to you in a second. Google searches for the words, ""Black Lives Matter"" surpassed, ""civil rights movement"". And, here in South Carolina, ""black lives matter"" was the number one trending political issue.HOLT: Governor O'Malley, you've campaigned on your record as governor of Maryland, and before that, the mayor of Baltimore. Last year, of course, Baltimore was rocked by violent unrest in the wake of the death of Freddie Gray. And right from the start of your campaign, you've been dogged by those who blame your tough-on-crime, so-called zero tolerance policies as mayor for contributing to that unrest. What responsibility do you bear?",1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
59,O'Malley,"Yes, let's talk about this. When I ran for mayor in 1999, Lester, it was not because our city was doing well. It was because we were burying over 300 young, poor black men every single year. And that's why I ran, because, yes, black lives matter. And we did a number of things. We weren't able to make our city immune from setbacks as the Freddie Gray unrest and tragic death showed. But we were able to save a lot of lives doing things that actually worked to improve police and community relations. The truth of the matter is, we created a civilian review board. And many of these things are in the new agenda for criminal justice reform that I've put forward. We created a civilian review board, gave them their own detectives. We required the reporting of discourtesy, use of excessive force, lethal force. I repealed the possession of marijuana as a crime in our state. I drove our incarceration rate down to 20-year lows, and drove violent crime down to 30-year lows, and became the first governor south of the Mason-Dixon line to repeal the death penalty. I feel a responsibility every day to find things that work...",1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
60,AUDIENCE,(APPLAUSE),1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
61,Holt,All right. Let's talk...,1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
62,O'Malley,... and to do more of them to reform our criminal justice system.,1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
63,Holt,"Let's talk more about policing and the criminal justice system. Senator Sanders, a few times tonight we're going to hear from some of the most prominent voices on YouTube, starting with Franchesca Ramsey, who tackles racial stereotypes through her videos. Let's watch.",1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
64,OTHER,(VIDEO.START),1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
65,QUESTION,"Hey, I'm Franchesca Ramsey. I believe there's a huge conflict of interest when local prosecutors investigate cases of police violence within their own communities. For example, last month, the officers involved in the case of 12- year-old Tamir Rice weren't indicted. How would your presidency ensure that incidents of police violence are investigated and prosecuted fairly?",1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
66,OTHER,(VIDEO.END),1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
67,Holt,Senator Sanders.,1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
68,Sanders,I apologize for not hearing all of that question.,1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
69,Holt,Would you like me to read it back to you?,1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
70,Sanders,Yes.,1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
71,Holt,"Prosecutors -- ""I believe there's a huge conflict of interest when local prosecutors investigate cases of police violence within their communities. Most recently, we saw this with a non- indictment of the officers involved in the case of 12-year-old Tamir Rice. How would you presidency ensure incidents of police violence are investigated and prosecuted fairly?""",1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
72,Sanders,"Absolutely. This is a responsibility for the U.S. Justice Department to get involved. Whenever anybody in this country is killed while in police custody, it should automatically trigger a U.S. attorney general's investigation.",1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
73,AUDIENCE,(APPLAUSE),1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
74,Sanders,"Second of all, and I speak as a mayor who worked very closely and well with police officers, the vast majority of whom are honest, hard- working people trying to do a difficult job, but let us be clear. If a police officer breaks the law, like any public official, that officer must be held accountable.",1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
75,AUDIENCE,(APPLAUSE),1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
76,Sanders,"And thirdly, we have got to de-militarize our police departments so they don't look like occupying armies. We've got to move toward community policing. And fourthly, we have got to make our police departments look like the communities they serve in their diversity.",1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
77,AUDIENCE,(APPLAUSE),1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
78,Holt,"Secretary Clinton, this question is for you. Tonight parts of America are in the grip of a deadly heroin epidemic, spanning race and class, hitting small towns and cities alike. It has become a major issue in this race. In a lot of places where you've been campaigning, despite an estimated trillion dollars spent, many say the war on drugs has failed. So what would you do?",1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
79,Clinton,"Well, Lester, you're right. Everywhere I go to campaign, I'm meeting families who are affected by the drug problem that mostly is opioids and heroin now, and lives are being lost and children are being orphaned. And I've met a lot of grandparents who are now taking care of grandchildren. So I have tried to come out with a comprehensive approach that, number one, does tell the states that we will work with you from the federal government putting more money, about a billion dollars a year, to help states have a different approach to dealing with this epidemic. The policing needs to change. Police officers must be equipped with the antidote to a heroin overdose or an opioid overdose, known as Narcan. They should be able to administer it. So should firefighters and others. We have to move away from treating the use of drugs as a crime and instead, move it to where it belongs, as a health issue. And we need to divert more people from the criminal justice system into drug courts, into treatment, and recovery.",1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
80,Holt,And that's time.,1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
81,Clinton,So this is the kind of approach that we should take in dealing with what is now...,1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
82,Holt,Senator...,1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
83,Clinton,... a growing epidemic.,1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
84,Holt,"Senator Sanders, would you like to respond?",1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
85,Sanders,Sure. I agree...,1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
86,AUDIENCE,(APPLAUSE),1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
87,Sanders,"I agree with everything the Secretary said, but let me just add this, there is a responsibility on the part of the pharmaceutical industry and the drug companies who are producing all of these drugs and not looking at the consequence of it. And second of all, when we talk about addiction being a disease, the Secretary is right, what that means is we need a revolution in this country in terms of mental health treatment. People should be able to get the treatment that they need when they need it, not two months from now, which is why I believe in universal...",1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
88,Holt,That's...,1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
89,Sanders,... healthcare with mental health...,1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
90,Holt,... time.,1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
91,Sanders,... a part of that.,1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
92,Holt,We're going to get into all that coming up.,1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
93,O'Malley,"Lester, just ten seconds.",1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
94,Holt,But we're going to take a break and we need to take a break...,1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
95,O'Malley,Just 10 seconds. All of the things...,1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
96,Holt,"... and when we come back, the anger brewing in America.",1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
97,OTHER,(COMMERCIAL),1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
98,Holt,"Welcome back to Charleston. Let's turn to another area where there has been fierce disagreement -- that would be health care. Senator Sanders and Secretary Clinton, you both mentioned it in your 100-day priorities. Let's turn to my colleague, Andrea Mitchell now to lead that questioning.",1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
99,Mitchell,"Thank you, Lester. Secretary Clinton, Senator Sanders favors what he calls ""Medicare for all."" Now, you said that what he is proposing would tear up Obamacare and replace it. Secretary Clinton, is it fair to say to say that Bernie Sanders wants to kill Obamacare?",1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
100,Clinton,"Well, Andrea, I am absolutely committed to universal health care. I have worked on this for a long time, people may remember that I took on the health insurance industry back in the '90s, and I didn't quit until we got the children's health insurance program that ensures eight million kids. And I certainly respect Senator Sanders' intentions, but when you're talking about health care, the details really matter. And therefore, we have been raising questions about the nine bills that he introduced over 20 years, as to how they would work and what would be the impact on people's health care? He didn't like that, his campaign didn't like it either. And tonight, he's come out with a new health care plan. And again, we need to get into the details. But here's what I believe, the Democratic Party and the United States worked since Harry Truman to get the Affordable Care Act passed. We finally have a path to universal health care. We have accomplished so much already. I do not to want see the Republicans repeal it, and I don't to want see us start over again with a contentious debate. I want us to defend and build on the Affordable Care Act and improve it.",1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
101,AUDIENCE,(APPLAUSE),1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
102,Sanders,OK.,1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
103,Mitchell,Senator Sanders?,1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
104,Sanders,Secretary -- Secretary Clinton didn't answer your question.,1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
105,AUDIENCE,(LAUGHTER),1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
106,Sanders,"Because what her campaign was saying -- Bernie Sanders, who has fought for universal health care for my entire life, he wants to end Medicare, end Medicaid, end the children's health insurance program. That is nonsense. What a Medicare-for-all program does is finally provide in this country health care for every man, woman and child as a right. Now, the truth is, that Frank Delano Roosevelt, Harry Truman, do you know what they believed in? They believed that health care should be available to all of our people. I'm on the committee that wrote the Affordable Care Act. I made the Affordable Care Act along with Jim Clyburn a better piece of legislation. I voted for it, but right now, what we have to deal with is the fact that 29 million people still have no health insurance. We are paying the highest prices in the world for prescription drugs, getting ripped off. And here's the important point, we are spending far more per person on health care than the people of any other country. My proposal, provide health care to all people, get private insurance out of health insurance, lower the cost of health care for middle class families by 5,000 bucks. That's the vision we need to take.",1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
107,AUDIENCE,(APPLAUSE),1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
108,Clinton,"But -- Senator Sanders, if I can...",1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
109,AUDIENCE,(APPLAUSE),1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
110,Clinton,"You know, I have to say I'm not sure whether we're talking about the plan you just introduced tonight, or we're talking about the plan you introduced nine times in the Congress. But the fact is, we have the Affordable Care Act. That is one of the greatest accomplishments of President Obama, of the Democratic Party, and of our country.",1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
111,AUDIENCE,(APPLAUSE),1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
112,Clinton,And we have already seen 19 million Americans get insurance. We have seen the end of pre-existing conditions keeping people from getting insurance.,1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
113,AUDIENCE,(APPLAUSE),1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
114,Clinton,"We have seen women no longer paying more for our insurance than men. And we have seen young people, up to the age of 26, being able to stay on their parent's policy.",1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
115,Sanders,But -- what if we have...,1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
116,Clinton,"Now, there are things we can do to improve it, but to tear it up and start over again, pushing our country back into that kind of a contentious debate, I think is the wrong direction.",1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
117,Sanders,It is -- it is absolutely inaccurate.,1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
118,O'Malley,I have to talk about something that's actually working in our state.,1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
119,Mitchell,Governor -- Governor Sanders...,1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
120,Sanders,"No one is tearing this up, we're going to go forward. But with the secretary neglected to mention, not just the 29 million still have no health insurance, that even more are underinsured with huge copayments and deductibles. Tell me why we are spending almost three times more than the British, who guarantee health care to all of their people? Fifty percent more than the French, more than the Canadians. The vision from FDR and Harry Truman was health care for all people as a right in a cost-effective way. We're not going to tear up the Affordable Care Act. I helped write it. But we are going to move on top of that to a Medicaid-for-all system.",1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
121,O'Malley,Andrea -- Andrea -- Andrea.,1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
122,CANDIDATES,(CROSSTALK),1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
123,AUDIENCE,(APPLAUSE),1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
124,O'Malley,"Instead of -- Andrea, I think, instead of attacking one another on health care, we should be talking about the things that are actually working. In our state, we have moved to an all-payer system. With the Affordable Care Act, we now have moved all of our acute care hospitals, that driver of cost at the center, away from fee-for- service. And actually to pay, we pay them based on how well they keep patients out of the hospital. How well they keep their patients. That's the future. We need to build on the Affordable Care Act, do the things that work, and reduce costs and increase access.",1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
125,CANDIDATES,(CROSSTALK),1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
126,Clinton,"And that's exactly what we are able to do based on the foundation of the Affordable Care Act -- what Governor O'Malley just said is one of the models that we will be looking at to make sure we do get costs down, we do limit a lot of the unnecessary costs that we still have in the system. But, with all due respect, to start over again with a whole new debate is something that I think would set us back. The Republicans just voted last week to repeal the Affordable Care Act, and thank goodness, President Obama vetoed it and saved Obamacare for the American people.",1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
127,AUDIENCE,(APPLAUSE),1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
128,Mitchell,"Senator Sanders, let me ask you this, though...",1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
129,Sanders,Yeah.,1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
130,Mitchell,... you've talked about Medicare for all...,1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
131,Sanders,Yes.,1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
132,Mitchell,".. and tonight you've released a very detailed plan, just two...",1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
133,Sanders,Not all that detailed.,1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
134,Mitchell,"... well, two hours before the debate, you did.",1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
135,Sanders,Well.,1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
136,Mitchell,"But let me ask you about Vermont. Because in Vermont -- you tried in the state of Vermont, and Vermont walked away from this kind of idea, of -- of Medicare for all, single-payer, because they concluded it would require major tax increases...",1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
137,Sanders,"Well, that's -- you might want to ask...",1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
138,Mitchell,"... and by some estimates, it would double the budget. If you couldn't sell it in Vermont, Senator...",1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
139,Sanders,"Andrea, let me just say this.",1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
140,Mitchell,... how can you sell it to the country?,1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
141,Sanders,Let me just say that you might want to ask the governor of the state of Vermont why he could not do it. I'm not the governor. I'm the senator from the state of Vermont.,1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
142,AUDIENCE,(LAUGHTER),1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
143,Sanders,But second of all -- second of,1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
144,AUDIENCE,(APPLAUSE),1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
145,Sanders,"... here is what the real point is, in terms of all of the issues you've raised -- the good questions you've raised. You know what it all comes down to? Do you know why we can't do what every other country -- major country on Earth is doing? It's because we have a campaign finance system that is corrupt, we have super PACs, we have the pharmaceutical industry pouring hundreds of millions of dollars into campaign contributions and lobbying, and the private insurance companies as well. What this is really about is not the rational way to go forward -- it's Medicare for all -- it is whether we have the guts to stand up to the private insurance companies and all of their money, and the pharmaceutical industry. That's what this debate should be about.",1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
146,AUDIENCE,(APPLAUSE),1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
147,Clinton,"Well, as someone who -- as someone who has a little bit of experience standing up to the health insurance industry, that spent, you",1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
148,AUDIENCE,(APPLAUSE),1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
149,Clinton,"...many, many millions of dollars attacking me, and probably will so again, because of what I believe we can do building on the Affordable Care Act, I think it's important to point out that there are a lot of reasons we have the health care system we have today. I know how much money influences the political decision-making. That's why I'm for huge campaign finance reform. However, we started a system that had private health insurance. And even during the Affordable Care Act debate, there was an opportunity to vote for what was called the public option. In other words, people could buy in to Medicare, and even when the Democrats were in charge of the Congress, we couldn't get the votes for that. So, what I'm saying is really simple. This has been the fight of the Democratic Party for decades. We have the Affordable Care Act. Let's make it work. Let's take the models that states are doing. We now have driven costs down to the lowest they've been in 50 years. Now we've got to get individual costs down. That's what I'm planning to do.",1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
150,Holt,"And that's time. We're gonna take a turn now. Secretary Clinton, in his final State of the Union address, President Obama said his biggest regret was his inability to bring the country together. If President Obama couldn't do it, how will you?",1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
151,O'Malley,Great question.,1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
152,Clinton,"Well, I think it's an important point the president made in his State of the Union. And here's what I would say. I will go anywhere, to meet with anyone, at any time to find common ground. That's what I did as a first lady, when I worked with both Democrats and Republicans to get the Children's Health Insurance Program, when I worked with Tom DeLay, one of the most partisan of Republicans, to reform the adoption and foster care system. What I did, working in the Senate, where I crossed the aisle often, working even with the senator from South Carolina, Lindsey Graham, to get Tricare for national guardsmen and women. And it's what I did as Secretary of State, on numerous occasions, and most particularly, rounding up two-thirds votes in order to pass a treaty that lowered the nuclear weapons in both Russia and the United States. So I know it's hard, but I also know you've got to work at it every single day. I look out here, I see a lot of my friends from the Congress. And I know that they work at it every single day. Because maybe you can't only find a little sliver of common ground to cooperate with somebody from the other party, but who knows. If you're successful there, maybe you can build even more. That's what I would do.",1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
153,Holt,"That's time. Senator Sanders, response.",1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
154,AUDIENCE,(APPLAUSE),1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
155,Sanders,"A couple of years ago, when we understood that veterans were not getting the quality care they needed in the timely manner, I worked with folks like John McCain and others to pass the most comprehensive veteran's health care legislation in modern history. But let me rephrase your question because I think, in all do respect, you're expression. In all do respect, you're missing the main point. And the main point in the Congress, it's not the Republicans and Democrats hate each other. That's a mythology from the media. The real issue is that Congress is owned by big money and refuses to do what the American people want them to do.",1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
156,AUDIENCE,(APPLAUSE),1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
157,Sanders,"The real issue is that in area after area, raising the minimum wage to $15 bucks an hour. The American people want it. Rebuilding our crumbling infrastructure, creating 13 million jobs, the American people want it. The pay equity for women, the American people want it. Demanding that the wealthy start paying their fair share of taxes. The American people want it.",1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
158,Holt,That's time. But let me continue with the...,1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
159,Sanders,"The point is, we have to make Congress respond to the needs of the people, not big money.",1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
160,Holt,"Senator Sanders, let me continue, you call yourself a Democratic socialist...",1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
161,Sanders,I do.,1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
162,Holt,"And throughout your career in politics, you've been critical of the Democratic party, you've been saying in a book you wrote, quote, ""There wasn't a hell of a big difference between the the two major parties."" How would you will a general election...",1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
163,Sanders,Did I say that?,1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
164,Holt,How will you win a general election labeling yourself a democratic socialist?,1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
165,Sanders,"Because of what I believe in what I was just saying. The Democratic party needs major reform. To those of you in South Carolina, you know what, in Mississippi, we need a 50-state strategy so that people in South Carolina and Mississippi can get the resources that they need. Instead of being dependent on super PACs, what we need is to be dependent on small, individual campaign contributors. We need an agenda that speaks to the needs of working families and low-income people. Not wealthy campaign contributors.",1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
166,Holt,"Yes, but senator, you can...",1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
167,Sanders,"We need to expand what the input into the Democratic party. I am very proud that in this campaign, we have seen an enormous amount of excitement from young people, from working people. We have received more individual contributions than any candidate in the history of this country up to this point.",1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
168,AUDIENCE,(APPLAUSE),1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
169,O'Malley,"Yes, but senator you never came to campaign for Vincent Sheheen when he was running for governor. In fact, neither of you came to campaign for Vincent Sheheen when he was running for governor.",1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
170,AUDIENCE,(APPLAUSE),1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
171,O'Malley,"We can talk all we want about wanting to build a stronger Democratic party, but Lester, the question you answered, it's no laughing matter. The most recurring question I get when I stand on the chair all across Iowa and talk with my neighbors is, how are you going to heal the divisions and the wounds in our country? This is the biggest challenge we face as a people. All my life, I brought people together over deep divides and very old wounds, and that's what we need now in a new leader. We cannot keep talking past each other, declaring all Republicans are our enemies or the war is all about being against millionaires or billionaires, or it's all against American Muslims, all against immigrants. Look, as Frederick Douglas said, we are one, our cause is one, and we must help each other if we are going to succeed.",1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
172,Holt,And that is right.,1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
173,Sanders,And I respectfully disagree.,1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
174,Holt,"Secretary Clinton, our next question is for you. Here's another quantitative problem.",1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
175,Sanders,"And I respectfully disagree with my friend over here. And that is, you are right. All of us have denounced Trump's attempts to divide this country: the anti-Latino rhetoric, the racist rhetoric, he anti-Muslim rhetoric. But where I disagree with you, Governor O'Malley, is I do believe we have to deal with the fundamental issues of a handful of billionaires...",1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
176,O'Malley,I agree with that.,1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
177,Sanders,... who control economic and political life of this country.,1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
178,O'Malley,I agree.,1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
179,Sanders,Nothing real will get happened. Unless we have a political revolution. Where millions of people finally stand up.,1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
180,Holt,"And we're going to get into that coming up. But Secretary Clinton, here's a question from YouTube. It's from a young video blogger who has over 5 million subscribers. He has a question about the importance of younger voters.",1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
181,OTHER,(VIDEO.START),1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
182,QUESTION,"Hi, I'm Connor Franta, I'm 23 and my audience is around the same age. Getting my generation to vote should be a priority for any presidential candidate. Now I know Senator Sanders is pretty popular among my peers, but what I want to know is, how are all of you planning on engaging us further in this election?",1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
183,OTHER,(VIDEO.END),1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
184,Holt,Secretary Clinton.,1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
185,Clinton,"Well thanks for the question and congratulations on five million viewers on YouTube, that's quite an accomplishment. Look, this election is mostly about the future and therefore it is of greatest urgency for young people. I've laid out my ideas about what we can do to make college affordable; how we can help people pay off their student debts and save thousands of dollars, how we can create more good jobs because a lot of the young people that I talk with are pretty disappointed the economic prospects they feel their facing. So making community college free, making it possible to attend a public college or university with debt free tuition, looking for ways to protect our rights especially from the concerted Republican assault; on voting rights, on women's rights, on gay rights, on civil rights, on workers rights. And I know how much young people value their independence, their autonomy, and their rights. So I think this is an election where we have to pull young people and older people together to have a strategy about how we're going to encourage even more American's to vote because it absolutely clear to me...",1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
186,Holt,That's time...,1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
187,Clinton,That turning over our White House to the Republicans would be bad for everybody especially young people.,1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
188,Holt,A quick follow up -- a thirty second follow up. Why is Senator Sanders beating you to 2 to 1 among younger votes?,1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
189,Clinton,"Look, I have the greatest respect for Senator Sanders and for his supports and I'm going to keep working as hard as I can to reach as many people of all ages about what I will do, what the experience and the ideas that I have that I will bring to the White House and I hope to have their support when I'm the Democratic nominee.",1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
190,Holt,We're going to take...,1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
191,Sanders,Is that your strategy...,1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
192,Holt,"We're going to take a break. When we come back; big banks, big business and big differences among the three candidates on the American Economy. We'll be right back.",1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
193,OTHER,(COMMERCIAL),1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
194,Holt,"Welcome back from Charleston. Let's turn now to the economy. Senator Sanders, you released a tough new ad last week in which without mentioning Secretary Clinton by name, you talk about two Democratic visions for regulating Wall Street. ""One says it's OK to take millions from big banks and tell them what to do. My plan, break up the big banks, close the tax loopholes and make them pay their fair share."" What do you see as the difference between what you would do about the banks and what Secretary Clinton would do?",1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
195,Sanders,"Well, the first difference is I don't take money from big banks. I don't get personal speaking fees from Goldman Sachs. What I would do...",1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
196,AUDIENCE,(APPLAUSE),1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
197,Sanders,"What I would do is understand that when you have three out of the four largest banks today, bigger than they were when we bailed them out because they were too big to fail, when you have the six largest financial institutions having assets of 60 percent of the GDP of America, it is very clear to me what you have to do. You've got to bring back the 21st century Glass-Steagall legislation and you've got to break up these huge financial institutions. They have too much economic power and they have too much financial power over our entire economy. If Teddy Roosevelt were alive today, the old Republican trust buster, what he would say is these guys are too powerful. Break them up. I believe that's what the American people to want see. That's my view.",1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
198,Holt,"Secretary Clinton, help the voter understand the daylight between the two of you here.",1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
199,Clinton,"Well, there's no daylight on the basic premise that there should be no bank too big to fail and no individual too powerful to jail. We agree on that. But where we disagree is the comments that Senator Sanders has made that don't just affect me, I can take that, but he's criticized President Obama for taking donations from Wall Street, and President Obama has led our country out of the great recession. Senator Sanders called him weak, disappointing. He even, in 2011, publicly sought someone to run in a primary against President Obama. Now, I personally believe that President Obama's work to push through the Dodd-Frank...",1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
200,AUDIENCE,(LAUGHTER),1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
201,Clinton,"The Dodd-Frank bill and then to sign it was one of the most important regulatory schemes we've had since the 1930s. So I'm going to defend Dodd-Frank and I'm going to defend President Obama for taking on Wall Street, taking on the financial industry and getting results.",1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
202,AUDIENCE,(APPLAUSE),1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
203,Sanders,OK. First of all...,1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
204,Holt,"Senator Sanders, your response.",1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
205,Sanders,"Set the record right. In 2006 when I ran for the Senate, Senator Barack Obama was kind enough to campaign for me, 2008, I did my best to see that he was elected and in 2012, I worked as hard as I could to see that he was reelected. He and I are friends. We've worked together on many issues. We have some differences of opinion. But here is the issue, Secretary touched on it, can you really reform Wall Street when they are spending millions and millions of dollars on campaign contributions and when they are providing speaker fees to individuals? So it's easy to say, well, I'm going to do this and do that, but I have doubts when people receive huge amounts of money from Wall Street. I am very proud, I do not have a super PAC. I do not want Wall Street's money. I'll rely on the middle class and working families...",1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
206,Holt,That's time. Governor,1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
207,CANDIDATES,(CROSSTALK),1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
208,Sanders,... campaign contributions.,1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
209,Holt,I have a question for you...,1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
210,AUDIENCE,(APPLAUSE),1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
211,Clinton,"You know, I think since -- since Senator Standers followed up on this...",1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
212,Holt,Thirty-second response.,1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
213,Clinton,"Your profusion of comments about your feelings towards President Obama are a little strange given what you said about him in 2011. But look, I have a plan that most commentators have said is tougher, more effective, and more comprehensive.",1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
214,O'Malley,That's not true.,1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
215,Clinton,"It builds on the Dodd-Frank -- yes, it is. It builds on the Dodd-Frank, regulatory scheme...",1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
216,O'Malley,It's just not true.,1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
217,Clinton,"... but it goes much further, because...",1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
218,O'Malley,"Oh, come on.",1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
219,Clinton,"... both the governor and the senator have focused only on the big banks. Lehman Brothers, AIG, the shadow banking sector were as big a problem in what caused the Great Recession, I go after them. And I can tell you that the hedge fund billionaires who are running ads against me right now, and Karl Rove, who started running an ad against me right now, funded by money from the financial services sector, sure thing, I'm the one they don't want to be up against.",1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
220,AUDIENCE,(APPLAUSE),1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
221,Holt,Governor O'Malley.,1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
222,O'Malley,"Yes, thank you. Yes, Lester, what Secretary Clinton just said is actually not true. What -- I have put forward a plan that would actually put cops back on the beat of Wall Street. I have put forward a plan that was heralded as very comprehensive and realistic. Look, if a bank robber robs a bank and all you do is slap him on the wrist, he's just going to keep robbing banks again. The same thing is true with people in suits. Secretary Clinton, I have a tremendous amount of respect for you, but for you to say there's no daylight on this between the three of us is also not true. I support reinstituting a modern version of Glass- Steagall that would include going after the shadow banks, requiring capital requirements that would force them to no longer put us on the hook for these sorts of things. In prior debates I've heard you even bring up -- I mean, now you bring up President Obama here in South Carolina in defense of the fact of your cozy relationship with Wall Street. In an earlier debate, I heard you bring up even the 9/11 victims to defend it. The truth of the matter is, Secretary Clinton, you do not go as far as reining in Wall Street as I would. And the fact of the matter is, the people of America deserve to have a president that's on their side, protecting the main street economy from excesses on Wall Street. And we're just as vulnerable today.",1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
223,Holt,"Secretary Clinton, 30-second response.",1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
224,AUDIENCE,(APPLAUSE),1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
225,Clinton,"Yes, well, first of all -- first of all, Paul Krugman, Barney Frank, others have all endorsed my plan. Secondly, we have Dodd-Frank. It gives us the authority already to break up big banks that pose...",1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
226,O'Malley,And we have never used it.,1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
227,Clinton,"That pose a risk to the financial sector. I want to go further and add to that. And, you know, Governor, you have raised money on Wall Street. You raised a lot of money on Wall Street when you were the head of the Democratic Governor's Association...",1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
228,O'Malley,"Yes, but I haven't gotten a penny this year...",1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
229,Clinton,And you were...,1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
230,O'Malley,"... so somebody please, go on to",1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
231,AUDIENCE,(LAUGHTER),1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
232,O'Malley,". Go on to martinomalley.com, send me your checks. They're not giving me -- zero.",1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
233,Clinton,"Yes, well, the point is that if we're going to be serious about this and not just try to score political points, we should know what's in Dodd-Frank, and what's in Dodd-Frank already gives the president the",1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
234,CANDIDATES,(CROSSTALK),1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
235,Clinton,...with his regulators to make those decisions.,1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
236,Sanders,"Let me give you an example of how corrupt -- how corrupt this system is. Goldman Sachs recently fined $5 billion. Goldman Sachs has given this country two secretaries of treasury, one on the Republicans, one under Democrats.",1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
237,O'Malley,Say it.,1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
238,Sanders,"The leader of Goldman Sachs is a billionaire who comes to Congress and tells us we should cut Social Security, Medicare, and Medicaid. Secretary Clinton -- and you're not the only one, so I don't mean to just point the finger at you, you've received over $600,000 in speaking fees from Goldman Sachs in one year. I find it very strange that a major financial institution that pays $5 billion in fines for breaking the law, not one of their executives is prosecuted, while kids who smoke marijuana get a jail sentence.",1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
239,AUDIENCE,(APPLAUSE),1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
240,Holt,That's time. Andrea.,1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
241,Clinton,"Well, the last point on this is, Senator Sanders, you're the only one on this stage that voted to deregulate the financial market in 2000, to take the cops off the street, to use Governor O'Malley's phrase, to make the SEC and the Commodities Futures Trading Commission no longer able to regulate swaps and derivatives, which were one of the main cause of the collapse in '08. So there's plenty...",1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
242,Sanders,If you want to...,1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
243,Clinton,"There's plenty of problems that we all have to face together. And the final thing I would say, we're at least having a vigorous debate about reining in Wall Street...",1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
244,Holt,... Senator...,1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
245,Clinton,"... The Republicans want to give them more power, and repeal Dodd-Frank. That's what we need to stop...",1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
246,AUDIENCE,(APPLAUSE),1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
247,Sanders,"Anyone who wants to check my record in taking on Wall Street, in fighting against the deregulation of Wall Street when Wall Street put billions of dollars in lobbying, in campaign contributions to get the government off their backs. They got the government off their backs. Turns out that they were crooks, and they destroyed our economy. I think it's time to put the government back on their backs.",1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
248,AUDIENCE,(APPLAUSE),1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
249,Mitchell,"Senator Sanders -- Senator Sanders, you've talked a lot about things you want to do. You want free education for everyone, you want the Federal Minimum Wage raised to $15 an hour. You want to expand Social Security...",1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
250,Sanders,... Yeah...,1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
251,Mitchell,"... benefits. You've been specific about what you want, but let's talk about how to pay for all this. You now said that you would raise taxes today, two hours or so ago, you said you would raise taxes to pay for your health care plan. You haven't been specific about how to pay for the other things...",1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
252,Sanders,... That's true.,1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
253,Mitchell,... Will you tell us tonight?,1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
254,Sanders,"Good. You're right. I want to rebuild our crumbling infrastructure, create 13 million jobs. We do that by doing away with the absurd loophole that now allows major profitable corporations to stash their money in the Cayman Islands, and not in some years, pay a nickel in taxes. Yes, I do. I plead guilty. I want every kid in this country who has the ability to be able to go to a public college, or university, tuition free. And, by the way, I want to substantially lower student debt interest rates in this country as well. How do I pay for it?",1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
255,AUDIENCE,(APPLAUSE),1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
256,Sanders,"I pay for it through a tax on Wall Street speculation. This country, and the middle class, bailed out Wall Street. Now, it is Wall Street's time to help the middle class. In fact...",1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
257,O'Malley,(inaudible),1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
258,Sanders,"... we have documented, unlike Secretary Clinton, I have documented exactly how I would pay for our ambitious agenda.",1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
259,O'Malley,Andrea...,1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
260,Mitchell,... OK...,1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
261,O'Malley,... The only person on this stage who has...,1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
262,Mitchell,"... Secretary Clinton, you mentioned earlier -- Secretary Clinton, do you want to respond?",1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
263,Clinton,"Well, I have actually documented every way that I'm going to pay for what I'm doing because I think the American public deserves to know. And, you can go to my website and actually see that. But, there are serious questions about how we're going to pay for what we want to see our country do. And, I'm the only candidate standing here tonight who has said I will not raise taxes on the middle class. I want to raise incomes, not taxes, and I'm going to do everything I can to make sure that the wealthy pay for debt free tuition, for child care, for paid family leave. To help us bring down student debt we're going to refinance that student debt, saving kids thousands of dollars. Yeah, and that will also come out of the -- some of the pockets of people in the financial services industry...",1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
264,Mitchell,"OK, we're out of time. Senator Sanders,",1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
265,Clinton,But I will tell you exactly how I pay for everything I've,1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
266,CANDIDATES,(CROSSTALK),1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
267,Mitchell,Senator Sanders...,1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
268,Sanders,... Here is the main two points...,1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
269,Mitchell,"... Senator Sanders, let me ask you a question about taxes.",1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
270,Sanders,Yeah.,1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
271,Mitchell,The most googled political issue...,1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
272,Sanders,... I got it.,1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
273,Mitchell,"In the last month was taxes. Now, in your healthcare plan, the plan you released tonight, you would not only raise taxes on the wealthy, but the details you released indicate you would raise taxes on the middle class also. Is that correct?",1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
274,Sanders,"What is correct, and I'm disappointed that Secretary Clinton's campaign has made this criticism. It's a Republican criticism. Secretary Clinton does know a lot about healthcare, and she understands, I believe, that a medicare for all, single payer program will substantially lower the cost of healthcare for middle class families. So, what we have got to acknowledge, and I hope the Secretary does, is we are doing away with private health insurance premiums. So, instead of paying $10,000 dollars to Blue Cross, or Blue Shield, yes, some middle class families would be paying slightly more in taxes, but the result would be that that middle class family would be saving some $5,000 dollars in healthcare costs. A little bit more in taxes, do away with private health insurance premiums. It's a pretty good deal.",1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
275,AUDIENCE,(APPLAUSE),1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
276,Mitchell,"Senator -- Senator, let me just follow up on that.",1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
277,Sanders,Yeah.,1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
278,Mitchell,"On Meet the Press on December 20th, you said that you would only raise taxes on the middle class to pay for family leave. And, having said that, now you say you're going to raise middle class taxes to pay for healthcare as well. Is that breaking your word?",1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
279,Sanders,"No, it is not breaking my word. When you are -- it's one thing to say I'm raising taxes, it's another thing to say that we are doing away with private health insurance premiums. So, if I save you $10,000 in private health insurance, and you pay a little bit more in taxes in total, there are huge savings in what your family is spending.",1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
280,O'Malley,"Senator, I'm the only person on this stage that's actually balanced a budget every year for 15 years.",1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
281,Sanders,"I was mayor for eight years, I did that as well.",1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
282,AUDIENCE,(LAUGHTER),1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
283,O'Malley,"OK. So, that was eight years. Yes. And Senator, but I actually did it during a budget down time -- I mean, during a recession. And Andrea, the -- I had to make more cuts than any governor in the history of Maryland, but we invested more in infrastructure, more in transportation. We made our public schools more in America more than five years in a row, and went four years in a row without a penny's increase to college tuition. The things that we need to do in our country, like debt-free college in the next five years, like making universal -- like making national service a universal option in order to cut youth unemployment in half in the next three years, all these things can be done if we eliminate one entitlement we can no longer afford as a nation. And that is the wealthy among us, those making more than a million dollars, feel that they are entitled to paying a much lower marginal tax rate than was usual for the better part of these 80 years. And if we tax earnings from investments on money -- namely capital gains -- at the same rate as we tax sweat and hard work and toil, we can make the investments we need to make to make our country better.",1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
284,Holt,"We have got a lot to ground to cover here. Many Democratic voters are passionate about the need to do something to combat the threat of climate change, including the team of scientists from Youtube's MinuteEarth channel. Here's their take.",1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
285,OTHER,(VIDEO.START),1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
286,QUESTION,"Hello from MinuteEarth. Fossil fuels have long kept our cars moving and our light bulbs lit. But we know that burning these fuels releases heat-trapping gases that are warming the planet, causing seas to rise and contributing to extreme weather events, like South Carolina's devastating flooding last year. Fighting human-caused climate change means giving up our global addiction to fossil fuels and shifting the bulk of the world's energy supply to alternative sources. Some countries have acted decisively to make this transition. But here at home, we still get a whooping 82 percent of our energy from coal, oil, and natural gas. In the U.S., political gridlock, pressure from industry lobbyists and insufficient R have made an already tough battle against climate change even tougher.",1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
287,OTHER,(VIDEO.END),1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
288,Holt,"Senator Sanders, Americans love their SUVs, which spiked in sales last year as gas prices plummeted. How do you convince Americans that the problem of climate change is so urgent that they need to change their behavior?",1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
289,Sanders,"I think we already are. Younger generation understands it instinctively. I was home in Burlington, Vermont, on Christmas Eve, the temperature was 65 degrees. People in Vermont know what's going on. People who did ice fishing, where their ice is no longer there on the lake understand what's going on. I'm on both the Environmental and Energy Committees. The debate is over. Climate change is real. It is already causing major problems. And if we do not act boldly and decisively, a bad situation will become worse. It is amazing to me, and I think we'll have agreement on this up here, that we have a major party, called the Republican Party that is so owned by the fossil fuel industry and their campaign contributions that they don't even have the courage, the decency to listen to the scientists.",1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
290,AUDIENCE,(APPLAUSE),1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
291,Sanders,"It is beyond my comprehension how we can elect a president of the United States, somebody like Trump, who believes that climate change is a hoax invented by the Chinese.",1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
292,AUDIENCE,(LAUGHTER),1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
293,Sanders,"Bottom line is, we need to be bold and decisive, we can create millions of jobs. We must, for the sake of our kids and grandchildren, transform our energy system away from fossil fuel to energy efficiency and sustainable energy. I've got the most comprehensive legislation in the Senate to do that. And as president, I will fight to make that happen.",1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
294,AUDIENCE,(APPLAUSE),1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
295,Holt,"Governor O'Malley, 30 seconds.",1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
296,O'Malley,"Thank you. Lester, on this stage tonight, this Democratic stage, where we actually believe in science.",1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
297,AUDIENCE,(LAUGHTER),1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
298,O'Malley,"I would like to challenge and invite my colleagues here on this stage to join me in putting forward a plan to move us to a 100 percent clean, electric energy grid by 2050. It can be done.",1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
299,AUDIENCE,(APPLAUSE),1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
300,O'Malley,"With solar, with wind, with new technologies, with green buildings, this can happen, but in all -- President Obama made us more energy independent, but in all of the above strategy didn't land us on the moon, we need American ingenuity and we need to reach by 2050 for the sake of our kids.",1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
301,Holt,That's time. We're going to take a break.,1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
302,Clinton,And let me...,1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
303,Holt,"When we return, the late-breaking developments regarding Iran. The threat of ISIS now more real than ever on U.S. soil. Americans in fear and hearing few good answers. We'll be right back.",1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
304,OTHER,(COMMERCIAL),1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
305,Holt,"Charleston, Andrea Mitchell has questions now starting with Iran.",1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
306,Mitchell,"Thank you Lester. Senator Sanders, the nuclear deal is now enforced. Iran is getting it's billions of dollars, several Americans who have been held are now going to be heading home. The president said today, ""it's a good day. It's a good day for diplomacy. It's a time now to restore diplomatic relations for the first time since 1979 and actually re- opened a U.S. Embassy in Tehran.""",1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
307,Sanders,"I think what we've got to do is move as aggressively as we can to normalize relations with Iran. Understanding that Iran's behavior in so many ways is something that we disagree with; their support terrorism, the anti-American rhetoric that we're hearing from of their leadership is something that is not acceptable. On the other hand, the fact that we've managed to reach an agreement, something that I've very strongly supported that prevents Iran from getting a nuclear weapon and we did that without going to war. And that I believe we're seeing a fall in our relationships with Iran is a very positive step. So if your question is, do I want to see that relationship become more positive in the future? Yes. Can I tell that we should open an embassy in Tehran tomorrow? No, I don't think we should. But I think the goal has go to be as we've done with Cuba, to move in warm relations with a very powerful and important country in this world.",1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
308,Mitchell,Your response Secretary Clinton?,1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
309,Clinton,"Well, I'm very proud of the Iran Nuclear Agreement. I was very pleased to be part of what the president put into action when he took office. I was responsible for getting those sanctions imposed which put the pressure on Iran. It brought them to the negotiating table which resulted in this agreement. And so, they have been so far, following their requirements under the agreement. But I think we still have to carefully watch them. We've had one good day over 36 year and I think we need more good days before we move more rapidly toward any kind of normalization. And we have to be sure that they are truly going to implement the agreement. And then, we have to go after them on a lot of their other bad behavior in the region which is causing enormous problems in Syria, Yemen, Iraq and elsewhere.",1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
310,Mitchell,"You mentioned Syria. Let me ask you about Syria, all of you. Let's turn to Syria and the civil war that has been raging there. Are there any circumstances in which you could see deploying significant numbers of ground forces in Syria, not just specials forces but significant ground forces to combat ISIS in a direct combat role? Let me start with you Secretary Clinton.",1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
311,Clinton,"Absolutely not. I have a three point plan that does not include American Ground forces. It includes the United States leading an air coalition which is what we're doing, supporting fighters on the ground; the Iraqi Army which is beginning to show more ability, the Sunni fighters that we are now helping to reconstitute and Kurdish on both sides of the border. I think we also have try to disrupt their supply chain of foreign fighters and foreign money and we do have to contest them in online space. So I'm very committed to both going after ISIS but also supporting what Secretary Kerry is doing to try to move on a political diplomatic to try to begin to slow down and hopefully end the carnage in Syria which is the root of so many of the problems that we seen in the region and beyond.",1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
312,Mitchell,"Senator Sanders, ground forces yes or no?",1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
313,Sanders,"As everybody you know, this is incredibly complicated and difficult issue and I applaud. I know President Obama's been getting a lot of criticism on this. I think he is doing the right thing. What the nightmare is, which many of my Republican colleagues appear to want is to not have learned the lesson of Iraq. To get American young men and women involved in perpetual warfare in the quagmire of Syria and the Middle East would be an unmitigated disaster that as president, I will do everything in my power to avoid.",1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
314,O'Malley,Andrea...,1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
315,Mitchell,Governor O'Malley?,1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
316,Sanders,"We should -- we should learn -- we should learn from King Abdullah of Jordan, one of the few heroes in a very unheroic place. And what Abdullah said is this is a war with a soul of Islam and that Muslim troops should be on the ground with our support and the support of other major countries. That is how we destroy ISIS, not with American troops in perpetual warfare.",1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
317,Mitchell,Governor O'Malley.,1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
318,O'Malley,Thank you.,1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
319,AUDIENCE,(APPLAUSE),1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
320,O'Malley,"Andrea, governors have led us to victory in two world wars by doing what America does best, and that is by joining forces with others by acting in coalition. And I believe that President Obama is doing the right thing in this case. We need to learn the lessons from the past. We do need to provide the special -- special ops advisers, we need -- do need to provide the technical support, but over the long-term, we need to develop new alliances. We need a much more proactive national security strategy that reduces these threats before they rise to a level where it feels like we need to pull for a division of marines. And I also want to add one other thing here. I appreciate the fact that in our debate, we don't use the term you hear Republicans throwing around trying to look all vibrato and macho sending other kids -- kids into combat, they keep using the term boots on the ground. A woman in Burlington, Iowa said to me, ""Governor, when you're with your colleagues, please don't refer to my son who has served two tours of duty in Iraq as a pair of boots on the ground."" Now, we need to be mindful of learning the lessons of the past.",1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
321,AUDIENCE,(APPLAUSE),1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
322,Mitchell,"I have a question. I have a question for Senator Sanders. Did the policies of the Obama administration, in which Secretary Clinton of course was a part, create a vacuum in Iraq and Syria that helped ISIS grow?",1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
323,Sanders,"No. I think the vacuum was created by the disastrous war in Iraq, which I vigorously opposed. Not only did I vote against it, I helped lead the opposition. And what happened there is yes, it's easy to get rid of a two-bit dictator like Saddam Hussein, but there wasn't the kind of thought as to what happens the day after you get him and what kind of political vacuum occurs. And who rises up? Groups like ISIS. So I think that President Obama made a promise to the American people when he ran, and he said you know what, I'm going to do my best to bring American troops home. And I supported what he did. Our job is to train and provide military support for Muslim countries in the area who are prepared to take on ISIS. And one point I want to make here that is not made very often, you have incredibly wealthy countries in that region, countries like Saudi Arabia, countries like Qatar. Qatar happens to be the largest -- wealthiest country per capita in the world. They have got to start putting in some skin in the game and not just ask the United States to do it.",1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
324,AUDIENCE,(APPLAUSE),1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
325,Mitchell,"Secretary Clinton, I want to talk to you about red lines, because former Defense Secretary Chuck Hagel said in a recent interview that President Obama's decision to stand down on planned missile strikes against Damascus after Assad had used chemical weapons hurt the president's credibility. Should the president have stuck to his red line once he drew it?",1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
326,Clinton,"Look, I think that the president's decision to go after the chemical weapons once there was a potential opportunity to build on when the Russians opened that door resulted in a very positive outcome. We were able to get the chemical weapons out. I know from my own experience as secretary of State that we were deeply worried about Assad's forces using chemical weapons because it would have had not only a horrific affect on people in Syria, but it could very well have affected the surrounding states, Jordan, Israel, Lebanon, Turkey. So getting those chemical weapons out was a big deal, but...",1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
327,Mitchell,But should he -- should he have stuck to his...,1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
328,Clinton,Well -- but -- but...,1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
329,Mitchell,... line? Did it hurt U.S. credibility?,1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
330,Clinton,"I think, as commander in chief, you've got to constantly be evaluating the decisions you have to make. I know a little bit about this, having spent many hours in the situation room, advising President Obama. And I want to just add to something that Senator Sanders said, the United States had a very big interest in trying to help stabilize the region. If there is any blame to be spread around, it starts with the prime minister of Iraq, who sectarianized his military, setting Shia against Sunni. It is amplified by Assad, who has waged one of the bloodiest, most terrible attacks on his own people: 250,000-plus dead, millions fleeing. Causing this vacuum that has been filled unfortunately, by terrorist groups, including ISIS. So, I think we are in the midst of great turmoil in this region. We have a proxy conflict going on between Saudi Arabia and Iran. You know, one of the criticisms I've had of Senator Sanders is his suggestion that, you know, Iranian troops be used to try to end the war in Syria...",1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
331,Mitchell,Your time is up.,1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
332,Clinton,"... and go after ISIS, which I don't think would be a good idea.",1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
333,Sanders,Let me just...,1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
334,Mitchell,Senator....,1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
335,Clinton,"But overall, a lot of the forces at work in the region are ones that we cannot directly influence, but we can...",1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
336,Mitchell,You're out of time.,1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
337,Sanders,OK. Let me,1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
338,CANDIDATES,(CROSSTALK),1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
339,Mitchell,Senator Sanders.,1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
340,Sanders,"Where Secretary Clinton and I think, I agree with most of what she said. But where I think we do have an honest disagreement, is that in the incredible quagmire of Syria, where it's hard to know who's fighting who and if you give arms to this guy, it may end up in ISIS' hand the next day. We all know that. And we all know, no argument, the secretary is absolutely right, Assad is a butcher of his own people, man using chemical weapons against his own people. This is beyond disgusting. But I think in terms of our priorities in the region, our first priority must be the destruction of ISIS. Our second priority must be getting rid of Assad, through some political settlement, working with Iran, working with Russia. But the immediate task is to bring all interests together who want to destroy ISIS, including Russia, including Iran, including our Muslim allies to make that the major priority.",1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
341,O'Malley,"But in all of that senator and secretary, I think we're leaving out something very important here. And that is that we still don't have the human intelligence: overt, in terms of diplomatic intelligence or covert, to understand even what the heck happens as the secondary and tertiary effects of some of these things. We are walking through this region, Andrea, without the human intelligence that we need. And we need to make a renewed investment as a country in bringing up a new generation of foreign service officers, and bringing up a new generation of business people and actually understanding and having relationships in these places. So we have a better sense of what the heck happens after a dictator topples and can take action to prevent another safe haven and another iteration of terror.",1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
342,Mitchell,Your time is us. Lester.,1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
343,Holt,"Senator Sanders mentioned Russia a moment ago. Secretary Clinton, you famously handed Russia's foreign minister a reset button in 2009. Since then, Russia has annexed Crimea, fomented a war in Ukraine, provided weapons that downed an airliner and launched operations, as we just did discuss, to support Assad in Syria. As president, would you hand Vladimir Putin a reset button?",1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
344,Clinton,"Well, it would depend on what I got for it and I can tell you what we got in the first term, we got a new start treaty to reduce nuclear weapons between the United States and Russia. We got permission to resupply our troops in Afghanistan by traveling across Russia. We got Russia to sign on to our sanctions against Iran and other very important commitments. So look, in diplomacy, you are always trying to see how you can figure out the interest of the other to see if there isn't some way you can advance your security and your values. When Putin came back in the fall of 2011, it was very clear he came back with a mission. And I began speaking out as soon as that happened because there were some fraudulent elections held, and Russians poured out into the streets to demand their freedom, and he cracked down. And in fact, accused me of fomenting it. So we now know that he has a mixed record to say the least and we have to figure out how to deal with him.",1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
345,Holt,What's your relationship with him?,1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
346,Clinton,"Well, my relationship with him, it's -- it's interesting.",1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
347,AUDIENCE,(LAUGHTER),1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
348,Clinton,"It's one, I think, of respect. We've had some very tough dealings with one another. And I know that he's someone that you have to continuingly stand up to because, like many bullies, he is somebody who will take as much as he possibly can unless you do. And we need to get the Europeans to be more willing to stand up, I was pleased they put sanctions on after Crimea and eastern Ukraine and the downing of the airliner, but we've got to be more united in preventing Putin from taking a more aggressive stance in Europe and the Middle East.",1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
349,AUDIENCE,(APPLAUSE),1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
350,Holt,We to want turn right now to the issue of balancing national security concerns with the privacy rights of Americans. That brings us to YouTube and this question.,1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
351,OTHER,(VIDEO.START),1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
352,QUESTION,"Hi, my name Marques Brownlee, and I've been making YouTube videos about electronics and gadgets for the past seven years. I think America's future success is tied to getting all kinds of tech right. Tech companies are responsible for the encryption technology to protect personal data, but the government wants a back door into that information. So do you think it's possible to find common ground? And where do you stand on privacy versus security?",1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
353,OTHER,(VIDEO.END),1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
354,Holt,"So, Governor O'Malley.",1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
355,O'Malley,"Thank you. I believe whether it's a back door or a front door that the American principle of law should still hold that our federal government should have to get a warrant, whether they want to come through the back door or your front door.",1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
356,AUDIENCE,(APPLAUSE),1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
357,O'Malley,"And I also agree, Lester, with Benjamin Franklin, who said, no people should ever give up their privacy or their freedoms in a promise for security. So we're a collaborative people. We need collaborative leadership here with Silicon Valley and other bright people in my own state of Maryland and around the NSA that can actually figure this out. But there are certain immutable principles that will not become antique things in our country so long as we defend our country and its values and its freedoms. And one of those things is our right to be secure in our homes, and our right to expect that our federal government should have to get a warrant. I also want to the say that while we've made some progress on the Patriot Act, I do believe that we need an adversarial court system there. We need a public advocate. We need to develop jurisprudence so that we can develop a body of law that protects the privacy of Americans in the information and digital age.",1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
358,Holt,"That's time. You have all talked about what you would do fighting ISIS over there, but we've been hit in this country by home-grown terrorists, from Chattanooga to San Bernardino, the recent shooting of a police officer in Philadelphia. How are you going to fight the lone wolves here, Senator Sanders?",1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
359,O'Malley,"Yes, Lester, year in and year out I was the leader of the U.S. ...",1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
360,Holt,"That's a question to Senator Sanders. I wasn't clear, I apologize.",1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
361,Sanders,"OK. I just wanted to add, in the previous question, I voted against the USA Patriot Act for many of the reasons that Governor O'Malley mentioned. But it is not only the government that we have to worry about, it is private corporations. You would all be amazed, or maybe not, about the amount of information private companies and the government has in terms of the Web sites that you access, the products that you buy, where you are this very moment. And it is very clear to me that public policy has not caught up with the explosion of technology. So yes, we have to work with Silicon Valley to make sure that we do not allow ISIS to transmit information...",1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
362,Holt,"But in terms of lone wolves, the threat, how would you do it?",1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
363,Sanders,"Right. What we have got to do there is, among other things, as I was just saying, have Silicon Valley help us to make sure that information being transmitted through the Internet or in other ways by ISIS is, in fact, discovered. But I do believe we can do that without violating the constitutional and privacy rights of the American people.",1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
364,CANDIDATES,(CROSSTALK),1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
365,Holt,"We have to go to a -- we have to go to a break, and when we come back, we're going to get to some of the burning questions these candidates have yet to answer and are totally eager to talk about.",1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
366,Clinton,"Oh, we're breaking? OK.",1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
367,OTHER,(COMMERCIAL),1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
368,Holt,"And welcome back to Charleston. As we were going to a break, Secretary Clinton, I cut you off. I'll give you 30 seconds to respond on the issue of lone wolves.",1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
369,O'Malley,"Can I get 30 seconds, too?",1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
370,AUDIENCE,(LAUGHTER),1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
371,Sanders,Can I get 50 seconds?,1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
372,Holt,Secretary Clinton.,1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
373,Clinton,"Well, I wanted to say, and I'll do it quickly, I was very pleased that leaders of President Obama's administration went out to Silicon Valley last week and began exactly this conversation about what we can do, consistent with privacy and security. We need better intelligence cooperation, we need to be sure that we are getting the best intelligence that we can from friends and allies around the world. And then, we've got to recognize our first line of defense against lone wolf attacks is among Muslim Americans. And it is not only shameful, it is dangerous for the kinds of comments you're hearing from the Republican side. We need to be reaching out and unifying our country against terrorist attacks and lone wolves, and working with Muslim Americans.",1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
374,AUDIENCE,(APPLAUSE),1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
375,Holt,And Andrea has a follow-up.,1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
376,O'Malley,And Andrea -- Andrea -- Andrea...,1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
377,Mitchell,"Just a -- just a quick follow-up, though, Secretary Clinton. Just a moment, Governor.",1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
378,O'Malley,"Andrea, when can I get my 30 seconds?",1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
379,Mitchell,"But -- but -- Secretary Clinton, you said that the leaders from the intelligence community went to Silicon Valley, they were flatly turned down. They got nowhere.",1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
380,Clinton,That is not what I've heard. Let me leave it at that.,1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
381,O'Malley,"Andrea, I need to talk about homeland security and preparedness. Ever since the attacks of September 11th -- 30 seconds.",1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
382,AUDIENCE,(LAUGHTER),1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
383,O'Malley,"Ever since the attacks of September 11th, my colleagues, Democratic and Republican mayors, Democratic and Republican governors, made me their leader on homeland security and preparedness. Here in the homeland, unlike combating ISIL abroad, we're almost like it's -- your body's immune system. It's able to protect your body against bad bugs, not necessarily because it outnumbers them, but it's better connected -- the fusion centers, the biosurveillance systems, better prepared first responders. But there's another front in this battle, and it is this. That's the political front, and if Donald Trump wants to start a registry in our country of people by faith, he can start with me, and I will sign up as one who is totally opposed to his fascist appeals that wants to vilify American Muslims. That can do more damage to our democracy than",1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
384,CANDIDATES,(CROSSTALK),1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
385,Holt,"All right, that's time, and -- and we",1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
386,AUDIENCE,(APPLAUSE),1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
387,Holt,"...we do have to move on. Secretary Clinton, this is the first time...",1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
388,Sanders,Can I get a -- can I just get a very brief response? Very brief.,1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
389,Holt,"Thirty -- 30 -- 30 seconds, Senator.",1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
390,Sanders,"OK. One -- and I agree with what the secretary said, and what Governor O'Malley said. But here's an issue that we also should talk about. We have a $600 billion military budget. It is a budget larger than the next eight countries'. Unfortunately, much of that budget continues to fight the old Cold War with the Soviet Union. Very little of that budget -- less than 10 percent -- actually goes into fighting ISIS and international terrorism. We need to be thinking hard about making fundamental changes in the priorities of the Defense Department.",1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
391,Holt,All right. Secretary,1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
392,AUDIENCE,(APPLAUSE),1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
393,Holt,"...this is the first time that a spouse of a former president could be elected president. You have said that President Clinton would advise you on economic issues, but be specific, if you can. Are you talking about a kitchen-table role on economics, or will he have a real policy role?",1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
394,Clinton,"Well, it'll start at the kitchen table, we'll see how it goes from there. And",1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
395,AUDIENCE,(APPLAUSE),1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
396,Clinton,"...I'm going to have the very best advisers that I can possibly have, and when it comes to the economy and what was accomplished under my husband's leadership and the '90s -- especially when it came to raising incomes for everybody and lifting more people out of poverty than at any time in recent history -- you bet. I'm going to ask for his ideas, I'm going ask for his advice, and I'm going use him as a goodwill emissary to go around the country to find the best ideas we've got, because I do believe, as he said, everything that's wrong with America has been solved somewhere in America. We just have to do more of it, and we have to reach out, especially into poor communities and communities of color, to give more people their own chance to get ahead.",1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
397,Holt,"Senator sanders, a 30 second response, sir.",1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
398,AUDIENCE,(APPLAUSE),1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
399,Sanders,"Great ideas, Governor O'Malley, Secretary Clinton, but here's the truth. If you have an administration stacked with Wall Street appointees, it ain't going to accomplish very much. So here's a promise that I make -- and I mentioned a moment ago how corrupt the system is -- Goldman Sachs, paying a $5 billion fine, gives this country, in recent history, a Republican secretary of treasury, a Democratic secretary of treasury. Here's a promise. If elected president, Goldman Sachs is not going to have -- bring forth a secretary of treasury for a Sanders administration.",1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
400,AUDIENCE,(APPLAUSE),1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
401,Mitchell,"Senator Sanders, let me ask you a question. You called Bill Clinton's past transgressions, quote, ""totally, totally, totally disgraceful and unacceptable."" Senator, do you regret saying that?",1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
402,Sanders,"I was asked a question. You know, one of the things, Andrea, and I -- that question annoys me. I cannot walk down the street -- Secretary Clinton knows this -- without being told how much I have to attack secretary Clinton, want to get me on the front pages of the paper, I'd make some vicious attack. I have avoided doing that. Trying to run an issue-oriented campaign.",1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
403,AUDIENCE,(APPLAUSE),1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
404,Sanders,I was asked a question.,1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
405,Mitchell,": You didn't have to answer it that way, though. Why did you?",1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
406,Sanders,"Well -- then if I don't answer it, then there's another front page, so it's yes.",1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
407,AUDIENCE,(LAUGHTER),1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
408,Sanders,"And I mean this seriously. You know that. We've been through this. Yes, his behavior was deplorable. Have I ever once said a word about that issue? No, I have not. I'm going to debate Secretary Clinton, Governor O'Malley, on the issues facing the American people, not Bill Clinton's personal behavior.",1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
409,AUDIENCE,(APPLAUSE),1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
410,Holt,We will take a break. We'll continue from Charleston right after this.,1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
411,OTHER,(COMMERCIAL),1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
412,Holt,"Welcome back everybody. Finally, before we go tonight, we set out here to understand points of differences between you. We believe we've learned a lot here, but before we leave, is there anything that you really wanted to say tonight that you haven't gotten a chance to say. And, we'll start with Governor O'Malley.",1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
413,AUDIENCE,(LAUGHTER),1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
414,Holt,"Didn't see that coming, did you?",1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
415,O'Malley,"Yes, but we're going to have to get 20 minutes to do it, so.",1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
416,AUDIENCE,(LAUGHTER),1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
417,Mitchell,...too long.,1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
418,O'Malley,I believe there are many issues. I have 60 seconds for this?,1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
419,Holt,"Sixty seconds, we'd appreciate it.",1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
420,O'Malley,"There are so many issues that we haven't been able to discuss here. We have not fully discussed immigration reform, and the deplorable number of immigrant detention camps that our nation's now maintaining. We haven't discussed the shameful treatment that the people of Puerto Rico, our fellow Americans, are getting treated with by these hedge funds that are working them over.",1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
421,AUDIENCE,(APPLAUSE),1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
422,O'Malley,"We haven't discussed the fact that in our hemisphere we have the danger of nation-state failures because of drug traffickers; and Honduras, and Guatemala and El Salvador. I guess the bottom line is this, look we are a great people the way we act at home and abroad based on the beliefs that unite us. Our belief in the dignity of every person, our belief in our own common good. There is now challenge that is too great for us to overcome provided we bring forward in these divided times, new leadership that can heal our divides here at home and bring our principles into alignment abroad. We're on the threshold of a new era of American progress and I believe we have only need to join forces together and cross that threshold into a new era of American prosperity.",1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
423,Holt,And that's time.,1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
424,O'Malley,Thanks a lot.,1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
425,Holt,Secretary Clinton?,1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
426,Clinton,"Well Lester, I spent a lot of time last week being outraged by what's happening in Flint, Michigan and I think every single American should be outraged. We've had a city in the United States of America where the population which is poor in many ways and majority African American has been drinking and bathing in lead contaminated water. And the governor of that state acted as though he didn't really care. He had request for help and he had basically stone walled. I'll tell you what, if the kids in a rich suburb of Detroit had been drinking contaminated water and being bathed in it, there would've been action. So I sent my top campaign aide down there to talk to the mayor of Flint to see what I could to help. I issued a statement about what we needed to do and then I went on a T.V. show and I said, ""it was outrageous that the governor hadn't acted and within two hours he had.""",1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
427,Holt,And that's time.,1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
428,Clinton,I want to be a president who takes care of the big problems and the problems that are affecting the people of our country everyday.,1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
429,AUDIENCE,(APPLAUSE),1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
430,Holt,Thank you. Senator Sanders?,1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
431,Sanders,"Well, Secretary Clinton was right and what I did which I think is also right, is demanded the resignation of governor. A man who acts that irresponsibly should not stay in power. Now, we are a great nation -- and we've heard a lot of great ideas here tonight. Let's be honest and let's be truthful. Very little is going to be done to transform our economy and to create the kind of middle class we need unless we end a corrupt campaign finance system which is undermining American democracy. We've got to get rid of Super PACs, we've got to get rid of Citizens' United and what we've got to do is create a political revolution which revitalizes American democracy; which brings millions of young people and working people into the political process. To say loudly and clearly,"" that the government of the United States of America belongs to all of us and not just a handful of wealthy campaign contributors.""",1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
432,Holt,"All right. Well thank you and thanks to all of you for being here tonight shedding light on some of the differences as Americans get ready to vote. I also want to thank the Congressional Black Caucus Institute and certainly my friend and colleague, Andrea Mitchell. This has been great. It's been a great spirited conversation and American people appreciate it.",1/17/16,Democratic,"Charleston, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111409
1,Dickerson,"Good evening. I'm John Dickerson. This holiday weekend, as America honors our first president, we're about to hear from six men who hope to be the 45th. The candidates for the Republican nomination are here in South Carolina for their ninth debate, one week before this state holds the first-in-the-South primary. George Washington wrote that the truth will ultimately prevail where there is pains taken to bring it to light. We hope to shed some light on the candidates' positions tonight to help voters make up their minds. So gentlemen, please join us on stage.",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
2,AUDIENCE,(APPLAUSE),2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
3,Dickerson,"With us tonight -- with us tonight are retired neurosurgeon Ben Carson of Florida, Senator Marco Rubio of Florida.",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
4,AUDIENCE,(APPLAUSE),2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
5,Dickerson,Businessman Donald Trump of New York.,2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
6,AUDIENCE,(APPLAUSE),2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
7,Dickerson,Senator Ted Cruz of Texas.,2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
8,AUDIENCE,(APPLAUSE),2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
9,Dickerson,Former Governor Jeb Bush of Florida.,2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
10,AUDIENCE,(APPLAUSE),2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
11,Dickerson,And Governor John Kasich of Ohio.,2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
12,AUDIENCE,(APPLAUSE),2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
13,Dickerson,"Now, as most of you have heard by now, Supreme Court Justice Antonin Scalia died today at the age of 79. He was the longest-serving member of the court, appointed by President Reagan in 1986. Justice Scalia was the court's leading conservative, and even those who disagreed with his opinions regarded him as a brilliant legal scholar. Please join us and the candidates on our stage in a moment of silence for Justice Antonin Scalia. Thank you. We will talk to the candidates about Justice Scalia and the road ahead when the debate begins in a moment.",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
14,OTHER,(COMMERCIAL),2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
15,Dickerson,"Before we get started, candidates, here are the rules. When we ask you a question, you will have one minute to answer, and 30 seconds more if we ask a follow-up. If you're attacked by another candidate, you get 30 seconds to respond. And here's how we keep time. After we ask a question, you'll get a green light. The yellow light means you have 30 seconds left to finish your answer, and when time is up, the light turns red. That means please stop talking. If you keep talking, you'll hear this.",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
16,OTHER,(BELL),2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
17,Dickerson,"You don't want to hear that. Joining me in the questioning tonight, my CBS News colleague, chief White House correspondent Major Garrett, and Kimberley Strassel, who is on the editorial board of The Wall Street Journal. And you can participate in the debate through our partnership with Twitter. Tweet us your questions and comments using the hashtag ""#GOPDebate."" So, let's begin. First, the death of Justice Scalia, and the vacancy that leaves on the Supreme Court. Mr. Trump, I want to start with you. You've said that the president shouldn't nominate anyone in the rest of his term to replace Justice Scalia. If you were president and had a chance, with 11 months left to go in your term, wouldn't it be an abdication, to conservatives in particular, not to name a conservative justice with the rest of your term?",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
18,Trump,"Well, I can say this. If the president, and if I were president now, I would certainly want to try and nominate a justice. I'm sure that, frankly, I'm absolutely sure that President Obama will try and do it. I hope that our Senate is going to be able -- Mitch, and the entire group, is going to be able to do something about it. In times of delay, we could have a Diane Sykes, or you could have a Bill Pryor -- we have some fantastic people. But this is a tremendous blow to conservatism. It's a tremendous blow, frankly, to our country.",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
19,Dickerson,"So, just to be clear on this, Mr. Trump, you're O.K. with the president nominating somebody ...",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
20,Trump,"... I think he's going to do it whether or I'm O.K. with it or not. I think it's up to Mitch McConnell and everybody else to stop it. It's called delay, delay, delay.",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
21,AUDIENCE,(APPLAUSE),2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
22,Dickerson,"Governor Kasich, I want to get your thoughts on this. Justice Scalia was a real believer, obviously, in the strict word of the Constitution. Now, Harry Reid says that a failure to fill his vacancy would be, quote, ""shameful abdication of one of the Senate's most essential constitutional responsibilities."" Where do you come down on this?",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
23,Kasich,"Well, John, first of all, if I were president, we wouldn't have the divisions in the country we have today. I do want to take a second as we reflected on Judge Scalia, it's amazing -- it's not even two minutes after the death of Judge Scalia, nine children here today, their father didn't wake up. His wife, sad, but I just wish we hadn't run so fast into politics. Here's my concern about this. The country is so divided right now, and now we're going to see another partisan fight take place. I really wish the president would think about not nominating somebody. If you were to nominate somebody, let's have him pick somebody that's going to have unanimous approval, and such widespread approval across the country that this could happen without a lot of recrimination. I don't think that's going to happen, and I would like the president just to, for once here, put the country first. We're going to have an election for president very soon, and the people will understand what is at stake in that election. And so I believe the president should not move forward, and I think that we ought to let the next president of the United States decide who is going to run that Supreme Court with a vote by the people of the",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
24,OTHER,(BELL),2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
25,Kasich,...States of America.,2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
26,AUDIENCE,(APPLAUSE),2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
27,Dickerson,"Dr. Carson. Dr. Carson, you, like others, put out a statement after the death was announced, and you said the president should delay. You've written a book on the Constitution recently. What does the Constitution say about whose duty it is here to act in this kind of a situation?",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
28,Carson,"Well, the current Constitution actually doesn't address that particular situation, but the fact of the matter is the Supreme Court, obviously, is a very important part of our governmental system. And when our Constitution was put in place, the average age of death was under 50, and therefore the whole concept of lifetime appointments for Supreme Court judges and federal judges was not considered to be a big deal. Obviously, that has changed, and it's something that probably needs to be looked at pretty carefully at some point. But, we need to start thinking about the divisiveness that is going on in our country. I looked at some of the remarks that people made after finding out that Justice Scalia had died, and they were truly nasty remarks. And that we have managed to get to that position in our country is truly a shame. And we should be thinking about how we could create some healing in this land. But, right now, we're not going to get healing with President Obama. That's very United Nations clear. So,",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
29,OTHER,(BELL),2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
30,Carson,... fully agree that we should not allow a judge to be appointed during his time.,2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
31,Dickerson,"Senator Rubio, you're",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
32,AUDIENCE,(APPLAUSE),2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
33,Dickerson,"Senator Rubio, you're a lawyer. Quickly, can you address the issue of whether the Constitution tells us who has the power to appoint Supreme Court justices? And then, also, the Senate Republicans last year floated an idea of removing the filibuster for Senate -- excuse me, for Supreme Court nominations. You seemed open to that. What's your feeling on that now?",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
34,Rubio,"Well, let me first talk about Justice Scalia. His loss is tremendous, and obviously our hearts and prayers go out to his family. He will go down as one of the great justices in the history of this republic. You talk about someone who defended consistently the original meaning of the Constitution, who understood that the Constitution was not there to be interpreted based on the fads of the moment, but it was there to be interpreted according to its original meaning. Justice Scalia understood that better than anyone in the history of this republic. His dissent, for example, on the independent counsel case is a brilliant piece of jurist work. And, of course, his dissent on Obergefell as well. No. 2, I do not believe the president should appoint someone. And it's not unprecedented. In fact, it has been over 80 years since a lame duck president has appointed a Supreme Court justice. And it remind us of this, how important this election is. Someone on this stage will get to choose the balance of the Supreme Court, and it will begin by filling this vacancy that's there now. And we need to put people on the bench that understand that the Constitution is not a living and breathing document. It is to be interpreted as originally meant.",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
35,Dickerson,"Quickly, though, on this",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
36,AUDIENCE,(APPLAUSE),2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
37,Dickerson,"Very quickly, Senator, on this specific question, though. You were once in favor of dropping the threshold...",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
38,CANDIDATES,(CROSSTALK),2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
39,Rubio,That's not accurate.,2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
40,Dickerson,... majority -- you were never in favor of that?,2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
41,Rubio,"No, I've never -- there has been, for example, today, according to the changes Harry Reid made, appellate judges can now be appointed by a simple majority, but not Supreme Court justices. And I think today you see the wisdom of why we don't want that to change. Because if that were the case and we were not in charge of the Senate, Harry Reid and Barack Obama would ram down our throat a liberal justice, like the ones Barack Obama has imposed on us already.",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
42,Dickerson,"O.K. Thank you, Senator. Governor Bush, I would like to ask you, conservatives for a long time have felt like that their Republican presidents have picked justices that didn't turn out to be real conservatives.",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
43,Bush,Right.,2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
44,Dickerson,"Bernie Sanders has said he would have a litmus test. He would make sure that he appointed a justice who was going to overturn Citizens United. If they can have a litmus test for a nominee, what about you? Would you have a litmus test for a nominee? And what would it be?",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
45,Bush,"Not on specific issues, not at all. I think the next president -- if I'm president, I will appoint people -- I'll nominate people that have a proven record in the judiciary. The problem in the past has been we have appointed people thinking you can get it through the Senate because they didn't have a record. And the problem is that sometimes we're surprised. The simple fact is the next president needs to appoint someone with a proven conservative record, similar to Justice Scalia, that is a lover of liberty, that believes in limited government, that consistently applied that kind of philosophy, that didn't try to legislator from the bench, that was respectful of the Constitution. And then fight and fight, and fight for that nomination to make sure that that nomination passes. Of course, the president, by the way, has every right to nominate Supreme Court justices. I'm an Article II guy in the Constitution. We're running for the president of the United States. We want a strong executive for sure. But in return for that, there should be a consensus orientation on that nomination, and there's no doubt in my mind that Barack Obama will not have a consensus pick when he submits that person to the Senate.",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
46,Dickerson,"Right, so, Senator Cruz, the",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
47,AUDIENCE,(APPLAUSE),2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
48,Dickerson,"So, Senator Cruz, the Constitution says the president ""shall appoint with advice and consent from the Senate,"" just to clear that up. So he has the constitutional power. But you don't think he should. Where do you set that date if you're president? Does it begin in election year, in December, November, September? And once you set the date, when you're president, will you abide by that date?",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
49,Cruz,"Well, we have 80 years of precedent of not confirming Supreme Court justices in an election year. And let me say, Justice Scalia...",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
50,Dickerson,"Just can I -- I'm sorry to interrupt, were any appointed in an election year, or is that just there were 80 years...",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
51,CANDIDATES,(CROSSTALK),2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
52,Cruz,"Eighty years of not confirming. For example, L.B.J. nominated Abe Fortas. Fortas did not get confirmed. He was defeated.",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
53,Dickerson,But Kennedy was confirmed in '88.,2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
54,Cruz,"No, Kennedy was confirmed in '87...",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
55,Dickerson,He was appointed in '87.,2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
56,Cruz,He was appointed in...,2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
57,Dickerson,"... confirmed in '88. That's the question, is it appointing or confirming, what's the difference?",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
58,Cruz,In this case it's both. But if I could answer the question...,2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
59,Dickerson,"Sorry, I just want to get the facts straight for the audience. But I apologize.",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
60,AUDIENCE,(BOOING) (LAUGHTER),2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
61,Cruz,"Justice Scalia was a legal giant. He was somebody that I knew for 20 years. He was a brilliant man. He was faithful to the Constitution. He changed the arc of American legal history. And I'll tell you, his passing tonight, our prayers are with his family, with his wife, Maureen, who he adored, his nine children, his 36 grandkids. But it underscores the stakes of this election. We are one justice away from a Supreme Court that will strike down every restriction on abortion adopted by the states. We are one justice away from a Supreme Court that will reverse the Heller decision, one of Justice Scalia's seminal decisions, that upheld the Second Amendment right to keep and to bear arms. We are one justice away from a Supreme Court that would undermine the religious liberty of millions of Americans -- and the stakes of this election, for this year, for the Senate, the Senate needs to stand strong and say, ""We're not going to give up the U.S. Supreme Court for a generation by allowing Barack Obama to make one more liberal appointee."" And then for the state of South Carolina, one of the most important judgments for the men and women of South Carolina to make is who on this stage has the background, the principle, the character, the judgment and the strength of resolve to nominate and confirm principled constitutionalists to the court? That will be what I will do if I'm elected president.",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
62,Dickerson,All right.,2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
63,AUDIENCE,(APPLAUSE),2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
64,Dickerson,"Thank you, Senator Cruz. All right, we're going to move on to national security here, and we are going to -- I want to read a quote from Secretary Robert Gates, former Defense Secretary Robert Gates, who served for eight year -- under eight presidents. And this is what he said about Republican candidates, quote, ""Part of the concern that I have with the campaign is that the solutions being offered are so simplistic and so at odds with the way the world really works."" So, in that spirit, we're going to work tonight to be more specific. Mr. Trump, I want to start with you. You have said as president, you'll get up to speed very quickly. You'll know more quickly as president than any of the experts. So, you've been elected president. It's your first day in the Situation Room. What three questions do you ask your national security experts about the world?",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
65,Trump,"What we want to do, when we want to do it, and how hard do we want to hit? Because we are going to have to hit very, very hard to knock out ISIS. We're going to also have to learn who our allies are. We have allies, so-called allies, we're spending billions and billions of dollars supporting people -- we have no idea who they are in Syria. Do we want to stay that route, or do we want to go and make something with Russia? I hate to say Iran, but with Russia, because we -- and the Iran deal is one of the worst deals I have ever seen negotiated in my entire life. It's a disgrace that this country negotiated that deal. But very",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
66,AUDIENCE,(APPLAUSE),2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
67,Trump,"Not only a disgrace, it's a disgrace and an embarrassment. But very important, who are we fighting with? Who are we fighting for? What are we doing? We have to rebuild our country. But we have to -- I'm the only one on this stage that said: ""Do not go into Iraq. Do not attack Iraq."" Nobody else on this stage said that. And I said it loud and strong. And I was in the private sector. I wasn't a politician, fortunately. But I said it, and I said it loud and clear, ""You'll destabilize the Middle East."" That's exactly what happened. I also said, by the way, four years ago, three years ago, attack the oil, take the wealth away, attack the oil and keep the oil. They didn't listen. They just started that a few months ago.",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
68,AUDIENCE,(APPLAUSE),2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
69,Dickerson,"Senator Rubio -- just 30 seconds on this question, Senator Rubio. Are those the questions you would ask?",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
70,Rubio,"No. I think there are three major threats that you want to immediately get on top of. No. 1 is, what are we doing in the Asia-Pacific region, where both North Korea and China pose threats to the national security of the United States. No. 2 is, what are we doing in the Middle East with the combination of the Sunni-Shia conflict driven by the Shia arc that Iran is now trying to establish in the Middle East, also the growing threat of ISIS. And the third is rebuilding and reinvigorating NATO in the European theater, particularly in Central Europe and in Eastern Europe, where Vladimir Putin is now threatening the territory of multiple countries, already controls 20 percent of Georgia and a significant percentage of Ukraine.",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
71,Dickerson,"Let me ask you a follow-up, a full, proper question, then.",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
72,AUDIENCE,(APPLAUSE),2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
73,Dickerson,"Violent extremists are operating or active in 40 countries. Some 80 countries are in different degrees of instability. And so, that's just the crises overseas. Barack Obama walked into an economic collapse when he came into office. We face international health crises, from Ebola to Zika. So, there is a lot of opportunity for crisis, as you have talked about. What would you point to in your past to show voters that you've been in a crisis and that you've been tested when that inevitable crisis comes when you're president?",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
74,Rubio,"Well, let me tell you what has happened a couple of years ago. One of the hardest decisions you'll ever make in Congress is when you are asked by the president to authorize the use of force in a conflict, because you are now putting your name, on behalf of the people of your state, behind a military action, where Americans in uniform could lose their life. So, in 2014, Barack Obama said he would not take military action against Assad unless it was authorized by the Senate, beginning on the Committee of Foreign Relations, where I am one of its members. And it was hard because you looked at the pictures. I saw the same images people saw. I'm the father of children. I saw the images of these little children -- been gassed and poisoned by their own leaders, and we were angry. Something had to happen, and there was the sense that we needed to seek retribution. And then I looked at Barack Obama's plan. Barack Obama's plan, which John Kerry later described as unbelievably small, and I concluded that that attack would not only not help the situation, it would make it actually worse. It would allow Assad to stand up to the United States of America, survive a strike, stay in power and actually strengthen his grip. So it was a difficult decision to make, and when we only had a few days to look at and make a decision on it, and I voted against Barack Obama's plan to use force, and it was the right decision.",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
75,Dickerson,"Dr. Carson, I want to ask you a",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
76,AUDIENCE,(APPLAUSE),2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
77,Dickerson,"Dr. Carson, you said you've had more 2 a.m. -- 2 a.m. phone calls than anybody up on this stage. But when those 2 a.m. phone calls came, you operated on a foundation of all of that amazing medical work that you did, all of that learning. So if you were to be president, though, you wouldn't have the political foundation that hones those instincts when the 2 a.m. phone call comes. So isn't that a liability?",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
78,Carson,"No, it isn't. First of all, let me go back to your first question for me. It wasn't phrased as who gets to nominate Supreme Court appointees. Of course that's the president. So I know that there are some left-wing media who would try to make hay on that. Secondly, thank you for including me in the debate. Two questions already. This is great. Now, as",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
79,AUDIENCE,(APPLAUSE) (LAUGHTER),2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
80,Carson,"...as far as those 2 a.m. phone calls are concerned, judgment is what is required. And the kinds of things that you come up with are sometimes very, very difficult and very unique. One of the things that I was known for is doing things that have not been done before. So no amount of experience really prepares you to do something that has never been done before. That's where judgment comes in. And that, I think, is a situation that we're in right now, a situation that we have never been in before with the kinds of threats that pose real danger to our nation, and it comes in very handy in those situations.",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
81,Dickerson,"Governor Kasich, Russia is being",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
82,AUDIENCE,(APPLAUSE),2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
83,Dickerson,"...Russia is being credited with bombing U.S.-backed rebels on behalf of Assad in Aleppo and Syria. They've also moved into the Crimea, eastern Ukraine. You've said you want to punch them in the nose. What does that mean? What are you going to do?",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
84,Kasich,"First of all -- yes. First of all, look, we have to make it clear to Russia what we expect. We don't have to declare an enemy, rattle a sword or threaten, but we need to make it clear what we expect. No. 1 is we will arm the folks in Ukraine who are fighting for their freedom. They deserve it. There will be no ifs, ands or buts about it. Secondly, an attack on NATO, trumped up on any excuse of Russian-speaking people, either in the NATO countries or in Finland or Sweden, is going to be an attack on us. And look, I think we have an opportunity as America to put something really great together again. The Egyptians, the Saudis, the Jordanians, the Gulf states, they all know they're at risk. We need to look into Europe, we look at France, we look at Germany and the migrants. We look at Belgium, we look at Britain. Everybody now is being threatened by radical Islam. We have an opportunity to lead. You know, the fact of the matter is the world is desperate for our leadership. Sometimes they may -- they may make a remark here or there that we don't like, but frankly, the world needs us. And we have an opportunity now to assemble a coalition of the civilized people, those who respect civilization, the rights of women, the rights to protest, to be able to reassert our leadership all across this globe again and make sure this century is going to be the best we've ever seen.",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
85,AUDIENCE,(APPLAUSE),2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
86,Dickerson,...Governor Bush.,2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
87,Bush,Yes.,2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
88,Dickerson,"You said defeating ISIS requires defeating Assad. But wouldn't that also put us into conflict with Russia, a country that supports Assad? So doesn't that mean, effectively, Assad's there to stay?",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
89,Bush,"No, it doesn't, and that's the problem. The lack of leadership in this country by Barack Obama, John Kerry, Hillary Clinton, thinking that this is a policy that works, this policy of containment with ISIS. It's a complete, unmitigated disaster. And to allow Russia now to have influence in Syria makes it harder, but we need to destroy ISIS and dispose of Assad to create a stable Syria so that the four million refugees aren't a breeding ground for Islamic jihadists. This is the problem. Donald Trump brought up the fact that he would -- he'd want to accommodate Russia. Russia is not taking out ISIS. They're -- they're attacking our -- our -- our team, the team that we've been training and the team that we've been supporting. It is absolutely ludicrous to suggest that Russia could be a positive partner in this. They are on the run. They are making -- every time we step back, they're on the run. The question that you asked was a really good one about what you would do -- what three things would you do. I would restore the military, the sequester needs to be reversed. I would have a strategy to destroy ISIS, and I would immediately create a policy of containment as it relates to Iran's ambitions, and to make it make clear that we are not going to allow for Iran to do what it's doing, which is to move towards a nuclear weapon. Those three things would be the first and foremost things that we need to",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
90,OTHER,(BELL),2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
91,Bush,... in 2017.,2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
92,Dickerson,"Mr. Trump,",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
93,AUDIENCE,(APPLAUSE),2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
94,Dickerson,"...Mr. Trump, you were mentioned here. You did say that you could get along very well with Vladimir Putin. You did at one point say let Russia take care of ISIS...",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
95,Trump,"(inaudible) called me a genius, I like him so far, I have to tell you. Let me just tell you this. Jeb is so wrong. Jeb is absolutely self -- just so you understand, you know what that is? That's Jeb's special interest and lobbyist talking. Look, let me just tell you something, Jeb -- Jeb is so wrong. You got to fight ISIS first. You fight ISIS first. Right now you have Russia, you have Iran, you have them with Assad, and you have them with Syria. You have to knock out ISIS. They're chopping off heads. These are animals. You have to knock 'em out. You have to knock them off strong. You decide what to do after, you can't fight two wars at one time. If you listen to him, and you listen to some of the folks that I've been listening to, that's why we've been in the Middle East for 15 years, and we haven't won anything. We've spent $5 trillion dollars in the Middle East with thinking like that. We've spent",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
96,OTHER,(BELL),2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
97,Trump,"...Lindsey Graham, who backs him, had zero on his polls. Let me just say something -- we've spent -- we've spent. I only tell the truth, lobbyists. We've spent $5 trillion dollars all over the -- we have to rebuild our country. We have to rebuild our infrastructure. You listen to that, you're going to be there for another 15...",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
98,Dickerson,... All right...,2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
99,Trump,... You'll end up with World War III...,2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
100,Dickerson,"... All right, Governor Bush, please respond.",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
101,Bush,"The very basic fact is that Vladimir Putin is not going to be an ally of the United States. The whole world knows this. It's a simple, basic fact.",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
102,AUDIENCE,(APPLAUSE),2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
103,Bush,"They're not taking out -- they're not even attempting to take out ISIS. They're attacking the troops that we're supporting. We need to create a coalition, Sunni-led coalition on the ground with our special operators to destroy ISIS and bring about stability. And you can't do that with Assad in power. He has...",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
104,Trump,... We're supporting troops...,2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
105,Bush,... Let me finish...,2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
106,Trump,... that we don't even know who they are.,2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
107,Dickerson,"... O.K., settle...",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
108,Bush,... This is ridiculous...,2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
109,Trump,... We're supporting troops that we don't even know who they are...,2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
110,Dickerson,"... All right, Mr. Trump, all right...",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
111,Trump,We have no idea who they are.,2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
112,Dickerson,"Gentleman, I think we're going to leave that there. I've got a question for Senator...",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
113,Bush,... This is coming from a guy who gets his foreign policy from the shows.,2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
114,Trump,"... Oh, yeah, yeah...",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
115,Bush,... This is a guy who thinks that Hillary Clinton is a great negotiator in Iran...,2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
116,Trump,"... Let 44 million in New Hampshire, it was practically (inaudible)...",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
117,Bush,... This is a man who insults his way to the nomination...,2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
118,Trump,... 44 million -- give me a break.,2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
119,CANDIDATES,(CROSSTALK),2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
120,Dickerson,"... All right, all right, gentlemen, gentlemen, let's leave it there so I can ask a question of Senator Cruz, who's also running for president.",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
121,AUDIENCE,(APPLAUSE) (LAUGHTER),2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
122,Dickerson,"Senator Cruz, you talked about the first Gulf War as being a kind of model for your focused and determined effort to go after ISIS. But there were 700,000 ground troops as a part of that, and you don't have a ground component to your plan. Why?",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
123,Cruz,"Well, we need to focus on what the objective is, you know? Your question about the first three questions you would ask in this Situation Room. I think it is a problem if the president, commander in chief, we've elected does not have the experience and background to understand the threats facing this country coming in on Day 1. If you look at the threats facing this country, the single gravest threat, national security threat, is the threat of a nuclear Iran. That's why I've pledged on Day 1 to rip to shreds this Iranian nuclear deal, and anyone that thinks you can negotiate Khamenei does not understand the nature of Khamenei. When it comes to ISIS, we've got to have a focused objective. One of the problems of Barack Obama and Hillary Clinton's foreign policy, and, sadly, too many establishment Republicans in Washington, is they focus on issues unrelated to protecting this country. They focus on nation building, they focus on toppling governments to promote democracy, and it ends up undermining our national security. Now, with regard to ISIS, we need a commander in chief that sets the objective we will utterly defeat them because they have declared war. They've declared a jihad on us. Now, what do we",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
124,OTHER,(BELL),2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
125,Cruz,"...to carry that out. We need overwhelming air power, we need to arm the Kurds, who can be our boots on the ground, and if ground troops are necessary, then we should employ them, but it shouldn't be politicians demonstrating political toughness. It should be military expert judgment carrying out the objectives set out by the commander in chief.",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
126,AUDIENCE,(APPLAUSE),2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
127,Dickerson,"Very quickly, 30-second follow-up. You've said that, essentially, the Kurds would be the American ground forces in there. The criticism that experts have on that is that the Kurds only can work within their territory. If they take larger amounts of territory, you have an ethnic war with the Arabs. So the Kurds can't really do as much as you seem to be putting on their backs.",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
128,Cruz,"We have Kurds in both Iraq and Syria. They are fighting ISIS right now. They are winning victories right now. ISIS is using American military equipment they've seized in Iraq. And the Obama administration refuses to arm the Kurds, the pesh merga, the fighting forces who have been longtime allies. We ought to be arming them and letting them fight. Now, if we need to embed Special Forces to direct our overwhelming air power, if it is required to use ground troops to defeat ISIS, we should use them, but we ought to start with using our incredible air power advantage. The first Persian Gulf War, we launched 1,100 air attacks a day. Today, we're launching between 15 and 30. We're not using the tools we have, and it's because the commander in chief is not focused on defeating the enemy.",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
129,Dickerson,All right. Mr.,2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
130,AUDIENCE,(APPLAUSE),2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
131,Dickerson,"...On Monday, George W. Bush will campaign in South Carolina for his brother. As you've said tonight, and you've often said, the Iraq war and your opposition to it was a sign of your good judgment. In 2008, in an interview with Wolf Blitzer, talking about President George W. Bush's conduct of the war, you said you were surprised that Democratic leader Nancy Pelosi didn't try to impeach him. You said, quote: ""Which, personally, I think would have been a wonderful thing."" When you were asked what you meant by that and you said: ""For the war, for the war, he lied, he got us into the war with lies."" Do you still believe President Bush should have been impeached?",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
132,Trump,"First of all, I have to say, as a businessman, I get along with everybody. I have business all over the world.",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
133,AUDIENCE,(BOOING),2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
134,Trump,"I know so many of the people in the audience. And by the way, I'm a self-funder. I don't have -- I have my wife and I have my son. That's all I have. I don't have this.",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
135,AUDIENCE,(APPLAUSE),2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
136,Trump,"So let me just tell you, I get along with everybody, which is my obligation to my company, to myself, et cetera. Obviously, the war in Iraq was a big, fat mistake. All right? Now, you can take it any way you want, and it took -- it took Jeb Bush, if you remember at the beginning of his announcement, when he announced for president, it took him five days. He went back, it was a mistake, it wasn't a mistake. It took him five days before his people told him what to say, and he ultimately said, ""It was a mistake."" The war in Iraq, we spent $2 trillion, thousands of lives, we don't even have it. Iran has taken over Iraq, with the second-largest oil reserves in the world. Obviously, it was a mistake.",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
137,Dickerson,So...,2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
138,Trump,George Bush made a mistake. We can make mistakes. But that one was a beauty. We should have never been in Iraq. We have destabilized the Middle East.,2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
139,Dickerson,But so I'm going to -- so you still think he should be impeached?,2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
140,Bush,"I think it's my turn, isn't it?",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
141,Trump,"You do whatever you want. You call it whatever you want. I want to tell you. They lied. They said there were weapons of mass destruction, there were none. And they knew there were none. There were no weapons of mass destruction.",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
142,AUDIENCE,(BOOING),2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
143,Dickerson,All right. O.K. All right. Governor Bush -- when a member on the stage's brother gets attacked...,2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
144,Bush,I've got about five or six...,2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
145,Dickerson,... the brother gets to respond.,2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
146,Bush,"Do I get to do it five or six times or just once, responding to that?",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
147,Trump,I'm being nice.,2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
148,Bush,So here's the deal. I'm sick and tired of Barack Obama blaming my brother for all of the problems that he has had.,2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
149,AUDIENCE,(APPLAUSE),2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
150,Bush,"And, frankly, I could care less about the insults that Donald Trump gives to me. It's blood sport for him. He enjoys it. And I'm glad he's happy about it. But I am sick and tired...",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
151,Trump,He spent $22 million in...,2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
152,CANDIDATES,(CROSSTALK),2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
153,Bush,I am sick and tired of him going after my family. My dad is the greatest man alive in my mind.,2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
154,AUDIENCE,(APPLAUSE),2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
155,Bush,"And while Donald Trump was building a reality TV show, my brother was building a security apparatus to keep us safe. And I'm proud of what he did.",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
156,AUDIENCE,(APPLAUSE),2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
157,Bush,And he has had the gall to go after my brother.,2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
158,Trump,"The World Trade Center came down during your brother's reign, remember that.",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
159,AUDIENCE,(BOOING),2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
160,Bush,He has had the gall to go after my mother. Hold on. Let me finish. He has had the gall to go after my mother.,2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
161,Trump,That's not keeping us safe.,2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
162,Bush,"Look, I won the lottery when I was born 63 years ago, looked up, and I saw my mom. My mom is the strongest woman I know.",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
163,Trump,She should be running.,2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
164,Bush,This is not about my family or his family. This is about the South Carolina families that need someone to be a commander in chief that can lead. I'm that person.,2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
165,Dickerson,"Governor Kasich, would you weigh in",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
166,AUDIENCE,(APPLAUSE),2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
167,Dickerson,"...Governor Kasich, please weigh in.",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
168,Kasich,"I've got to tell you, this is just crazy, huh?",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
169,AUDIENCE,(LAUGHTER),2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
170,Kasich,"This is just nuts, O.K.? Jeez, oh, man. I'm sorry, John.",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
171,Dickerson,Why is it nuts? Talk about it. Give us your sense of...,2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
172,Kasich,"Oh, well, listen, I think being in Iraq, look, we thought there were weapons of mass destruction. Colin Powell, who is one of the most distinguished generals in modern time, said there were weapons there.",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
173,AUDIENCE,(APPLAUSE),2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
174,Kasich,"But, but, the fact is we got ourselves in the middle of a civil war. The Sunni, the Shia and the Kurds, never gotten along. In fact, that country was drawn -- the borders of that country were drawn after World War I by Westerners that didn't understand what was happening there. The tragedy of it is that we're still embroiled. And, frankly, if there weren't weapons of mass destruction, we should never have gone. I don't believe the United States should involve itself in civil wars. Civil wars are not in our direct interest, and if you -- and look, I served on a defense committee for 18 years and was called into the Pentagon after 9/11 by Secretary Rumsfeld to deal with some of the most serious problems that we faced. The fact is, is that we should go to war when it is our direct interest. We should not be policemen of the world, but when we go, we mean business. We'll do our job. We'll tell our soldiers, our people in the service, take care of your job and then come home once we've accomplished our goals. That's what we need to do.",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
175,Dickerson,"Thirty seconds, Senator Rubio.",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
176,Rubio,"I just want to say, at least on behalf of me and my family, I thank God all the time it was George W. Bush in the White House on 9/11 and not Al Gore.",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
177,AUDIENCE,(APPLAUSE),2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
178,Rubio,"And you can -- I think you can look back in hindsight and say a couple of things, but he kept us safe. And not only did he keep us safe, but no matter what you want to say about weapons of mass destruction, Saddam Hussein was in violation of U.N. resolutions, in open violation, and the world wouldn't do anything about it, and George W. Bush enforced what the international community refused to do. And again, he kept us safe, and I am forever grateful to what he did for this country.",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
179,AUDIENCE,(APPLAUSE),2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
180,Trump,"How did he keep us safe when the World Trade Center -- the World -- excuse me. I lost hundreds of friends. The World Trade Center came down during the reign of George Bush. He kept us safe? That is not safe. That is not safe, Marco. That is not safe.",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
181,Rubio,The World Trade Center came down because Bill Clinton didn't kill Osama bin Laden when he had the chance to kill him.,2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
182,AUDIENCE,(APPLAUSE),2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
183,Trump,"And George Bush -- by the way, George Bush had the chance, also, and he didn't listen to the advice of his C.I.A.",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
184,Dickerson,"All right, Dr. Carson, we have a cleansing...",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
185,Bush,Can I just...,2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
186,Dickerson,We have a cleansing...,2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
187,Bush,I'm not going to invite Donald Trump to the rally in Charleston on Monday afternoon when my brother is coming to speak.,2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
188,Trump,I don't want to go.,2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
189,AUDIENCE,(LAUGHTER),2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
190,Bush,"I'm rescinding the invitation. I thought you might want to come, but I guess not.",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
191,Dickerson,"All right. Well, Dr. Carson, I have got a question now for you. A moment of pause here. You have said, Dr. Carson, that -- referring to yourself, that people bought into the idea that, quote, ""A nice person can't be tough on terrorists."" You have called for loosening the rules of engagement for the military, which could lead to more civilian casualties. So, explain why those casualties would be acceptable in the fight against ISIS?",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
192,Carson,"Well, first of all, let me just address the Iraq question. You know, I was not particularly in favor of us going to war in Iraq, primarily because I have studied, you know, the Middle East, recognizing that those are nations that are ruled by dictators and have been for thousands of years. And when you go in and you remove one of those dictators, unless you have an appropriate plan for replacing them, you're going to have chaos. Now, fortunately, we were able to stabilize the situation, and it was the current administration that turned tail and ran and destabilized the situation.",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
193,AUDIENCE,(APPLAUSE),2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
194,Carson,"Now, having said that, in terms of the rules of engagement, I was talking about, you know, Obama has said, you know, we shouldn't bomb tankers, you know, coming out of refineries because there may be people in there, or because the environment may be hurt. You know, that's just asinine thinking. And the fact of the matter",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
195,AUDIENCE,(APPLAUSE),2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
196,Carson,"You know, we -- obviously, you're not going to accomplish all of your goals without some collateral damage. You have to be able to assess what is acceptable and what is not.",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
197,Dickerson,"All right, thank you, Dr. Carson. We're going to have to take a commercial break here. Thank you to all the candidates. We'll be right back with CBS News's 2016 debate in Greenville, South Carolina.",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
198,AUDIENCE,(APPLAUSE),2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
199,OTHER,(COMMERCIAL),2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
200,Dickerson,We're back with the Republicans who could be president. The topic now is money and how the candidates would spend it. We'll turn the questioning over to Kimberley Strassel of The Wall Street Journal and Major Garrett of CBS News. Kim?,2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
201,Strassel,Mr. Trump.,2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
202,Trump,Yes.,2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
203,Strassel,"You have made a lot of promises and you have also -- you're the only candidate who has said he would not touch entitlements. The Committee for a Responsible Federal Budget has estimated that your ideas would cost an additional $12 trillion to $15 trillion over the next 10 years and that we would have to have annual economic growth of anywhere from 7.7 percent to 9 percent annually to pay for them. Are you proposing more than you can actually deliver, at least not without big deficits?",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
204,Trump,"First of all, the -- when you say I'm the only candidate, if you listen to the Democrats, they want to do many things to Social Security, and I want to do them on its own merit. You listen to them, what they want to do to Social Security, none of these folks are getting elected, O.K., whether they can do it or not. I'm going to save Social Security. I'm going to bring jobs back from China. I'm going to bring jobs back from Mexico and from Japan, where they're all -- every country throughout the world -- now Vietnam, that's the new one. They are taking our jobs. They are taking our wealth. They are taking our base. And you and I have had this discussion. We're going to make our economy strong again. I'm lowering taxes. We have $2.5 trillion offshore. We have 2.5 trillion that I think is actually five trillion because the government has no idea when they say 2.5, they have no idea what they're doing or saying, as they've proven very well. We're going to bring that money back. You take a look at what happened just this week. China bought the Chicago Stock Exchange, China, a Chinese company. Carrier is moving to Mexico, air conditioning company. Not only the ones I talk about all the time, Nabisco and Ford and -- they're all moving out. We have an economy that last quarter, G.D.P. didn't grow. It was flat. We have to make our economy grow again. We're dying. This country is dying. And our workers are losing their jobs, and you're going...",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
205,Strassel,But in terms of...,2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
206,Trump,"I'm the only one who is going to save Social Security, believe me.",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
207,Strassel,"O.K. But how would you actually do that? Can I ask you? Because right now, Social Security and Medicare...",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
208,Trump,Because you have tremendous waste. I'll tell you...,2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
209,Strassel,"They take up two-thirds of the federal budget, and they're growing.",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
210,Trump,"You have tremendous waste, fraud and abuse. That we're taking care of. That we're taking care of. It's tremendous. We have in Social Security right now thousands and thousands of people that are over 106 years old. Now, you know they don't exist. They don't exist. There's tremendous waste, fraud and abuse, and we're going to get it. But we're not going to hurt the people who have been paying into Social Security their whole life and then all of a sudden they're supposed to get less. We're bringing our jobs back. We're going to make our economy great again.",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
211,Garrett,Senator Cruz.,2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
212,AUDIENCE,(APPLAUSE),2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
213,Garrett,"John mentioned this is about dollars and incentives. We also want to talk about economic growth engagements. You have proposed a consumption tax, you called it the ""back tax."" Some analysts compare it more to an attributed ""value-added tax."" From the perspective from economic growth in building wages, how does that work, and how would you address those longstanding conservative concerns that something approaching the ""value-added tax"" would be used to constantly increase those rates to pay for future government spending and become an escalator of taxation, not of growth?",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
214,Cruz,"Well, let me say it at the outset that everyone here understands -- everyone understands that how -- that the middle class has been left behind in the last seven years of the Obama economy, and we've got to bring jobs back. We've got to get people back to work. We've got to get wages going up again. We've got to get people moving from part-time work to full-time work. We all agree on that, but it's not going to be solved with magic pixie dust. It's just going to be solved by declaring into the air, ""Let there be jobs."" We actually have to understand the principles that made America great in the first place. Now, where do you get economic growth? If you look at cause and effect over our nation's history, every time we lessen the burden of Washington on small-business owners, on job creators, we see incredible economic growth. You do that through tax reform and regulatory reform. My tax plan -- typical family of four, first $36,000 you earn, you pay nothing in taxes -- no income taxes, no payroll taxes, no nothing. Above 10 percent, everyone pays the same simple, flat 10 percent income rate. It's flat and fair. You can fill out your taxes on a postcard, and we abolish the I.R.S. If you want to see the postcard, I've got it on my website.",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
215,Garrett,"Now, the question -- conservatives have sort of this idea conceptually for a long time, but especially on this consumption value-added tax system. In Europe, where it exists, it has become an escalator of taxation to feed government spending, and that's why conservatives have long resisted it. Why and what would you do as president to make sure that doesn't happen?",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
216,Cruz,"Now, Major, the business flat tax that is in my tax plan is not a VAT. A VAT in Europe is a sales tax. The business flat tax is not a sales tax, it is a tax of 16 percent opposed fairly and evenly across the board on all business. One of the things that's critical is we're doing that in conjunction with abolishing the corporate income tax, with abolishing the Obamacare taxes, with abolishing the payroll taxes, which are the biggest taxes paid by most working Americans, and with abolishing the death tax, which is cruel and unfair. And you asked about economic growth -- the nonpartisan Tax Foundation estimated a simple flat tax that would produce 4.9 million new jobs, it would increase capital investment by 44 percent and would lift everyone's income by double digits. That's how you turn the country around, not just hoping and praying for it, but implementing policies that work.",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
217,Strassel,"O.K., I have a question, a related tax question. Senator Rubio, you have the highest tax rate of anyone up on the stage in terms of the top tax rates, 35 percent. Some economists say, ""It would limit its potential to boost economic growth."" You do that so that you will have more revenue to pay for a tripling of the Child Tax Credit. Normally, it's liberals who like to use the tax code to insert social policy. Why should conservatives who want to tax adopt the other side's approach?",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
218,Rubio,"Well, because I'm influencing social policy -- this is their money. This is the money of parents. You don't earn the tax credit unless you're working. That's your money, it doesn't belong to government. Here's what I don't understand. If a business takes their money and they invest in the piece of the equipment, they get to write off their taxes. But if a parent takes money that they have earned to work and invests in their children, they don't? This makes no sense. Parenting is the most important job any of us will ever have. Family formation is the most important thing in society. So what my tax plan does, is it does create, especially for working families, an additional Child Tax Credit. So that parents who are working get to keep more of their own money, not the government's money, to invest in their children to go to school, to go to a private school, to buy a new backpack. Let me tell you, if you're a parent that's struggling, then you know that $50 a month is the difference between a new pair of shoes this month or not getting a new pair of shoes for your kids. I'm going to have a tax plan that is pro-family, because the family is the most important institution in society. You cannot have a strong country without strong families.",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
219,AUDIENCE,(APPLAUSE),2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
220,Strassel,"Governor Kasich, this on is on size of government. In 2013, you pushed through a Medicaid reform in your state over the rejections of many of the Republicans in your state. Total enrollment and overall cost of program have gone well beyond what anyone had expected, including yourself. How can you argue that this overall growth fits in with conservative ambition to significantly cut back on the size of federal welfare programs?",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
221,Kasich,"Yeah. Well, first of all, those numbers, incorrect. We are -- our Medicaid programs are coming in below cost estimates, and our Medicaid program in the second year grew at 2.5 percent. And Kimberley, let me tell you, when we expand Medicaid and we treat the mentally ill, then they don't live under a bridge or live in a prison, where they cost $22,500 a year. When we take the drug addicted and we treat them in the prisons, we stop the revolving door of people in and out of prisons, and we save $22,500 a year. Guess what else? They get their lives back. And the working poor, they're now getting health care. And you know that about a third of the people who are now getting that health care are people who are suffering very serious illnesses, particularly cancer. So, what I would tell you is, we've gone from an $8 billion hole to a $2 billion surplus. We've cut taxes by more than any governor in America by $5 billion. We have grown the number of jobs by 400,000 private-sector jobs since I've been governor. Our credit is strong. Our pensions are strong. And frankly, we leave no one behind. Economic growth is not an end unto itself. We want everyone to rise, and we will make them personally responsible for the help that they get. And that is exactly the program we're driving in Ohio. And, boy, people ought to look at Ohio, because it has got a good formula.",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
222,AUDIENCE,(APPLAUSE),2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
223,Garrett,"Governor Bush, a question for you -- but if you want to jump in, please.",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
224,Bush,I'd like -- can I -- can I...,2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
225,Garrett,"Jump in, and then I've got a question for you.",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
226,Bush,"Look, I admire the fact that Governor Kasich is supporting spending more money on drug treatment and mental health. I think that's a high priority all across this country, but expanding Obamacare is what we're talking about, and Obamacare's expansion, even though the federal government is paying for the great majority of it, is creating further debt on the backs of our children and grandchildren. We should be fighting Obamacare, repealing Obamacare, replacing it with something totally different.",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
227,AUDIENCE,(APPLAUSE),2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
228,Bush,"When I was -- as a private citizen, Florida was confronted with the choice. The governor was supportive of doing what John did. So was the Florida Senate. A committed speaker of the House asked me to go as a private citizen to make the case against the expansion. I did, and it wasn't expanded there, just as it wasn't expanded in South Carolina under Governor Haley.",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
229,CANDIDATES,(CROSSTALK),2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
230,Garrett,"Real quickly, jump in, because I have got a question for Governor Bush, but jump in.",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
231,Kasich,"Yeah, let me say a couple of things. First of all, when Jeb was governor, his first four years as governor, he expand -- his Medicaid program grew twice as fast as mine. O.K.? It's just a fact. Now, with Obamacare, I've not only sued the administration, I did not set up an exchange. And he knows that I'm not for Obamacare, never have been. But here's what's interesting about Medicaid. You know who expanded Medicaid five times to try to help the folks and give them opportunity so that you could rise and get a job? President Ronald Reagan. Now, the fact of the matter is, we expanded to get people on their feet, and once they're on their feet, we are giving them the training and the efforts that they need to be able to get work and pull out of that situation.",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
232,Garrett,"Understood, Governor Kasich.",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
233,Kasich,That's what we're doing in our state.,2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
234,Bush,"South Carolina -- South Carolinians need to know this, because the Cato Institute, which grades governors based on their spending, rank him right at the bottom.",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
235,Garrett,"Yeah, Governor Bush, fine.",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
236,Bush,And Governor Haley is ranked at the top.,2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
237,CANDIDATES,(CROSSTALK),2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
238,Garrett,Let me get in a question from...,2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
239,Bush,No. He mentioned my name.,2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
240,Garrett,"I understand, I understand.",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
241,Bush,"Let me finish, though. No, no, no -- hey, wait, wait, wait. Just hold, Major, hold, Major. Hold on, Major.",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
242,CANDIDATES,(CROSSTALK),2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
243,Bush,"South Carolinians want to make that, they elect the most conservative governor or candidate that can win.",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
244,Kasich,Let me -- let's tell you...,2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
245,Garrett,"I have a question on economic growth, Governor Bush.",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
246,AUDIENCE,(APPLAUSE),2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
247,Kasich,"Major -- Major, we can't -- we've got to -- look, I have got to correct the record. And the fact of the matter is, we went from an $8 billion hole to a $2 billion surplus. We're up 400,000 jobs. Our credit is rock solid. And I don't know...",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
248,Garrett,"A (inaudible), Governor.",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
249,Kasich,"Look, the bottom line is the people of this -- of this country and this state want to see everybody rise, and they want to see unity, and I don't want to get into all this fighting tonight, because people are frankly sick of the negative campaigning.",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
250,Garrett,"I know, understood. Governor Bush.",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
251,Kasich,And I'm going to stay positive about what I want to do from the...,2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
252,AUDIENCE,(APPLAUSE),2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
253,Garrett,"Governor Bush, from the perspective, economic growth -- viewed from this perspective of economic growth, you have proposed a tax on hedge fund managers. The Americans for Tax Reform, a conservative tax group you're probably aware of, has said no Republican should be for higher taxes on capital gains. And many conservatives wonder if this proposal of yours would undermine not only that philosophy, but undercut your projection of 4 percent economic growth annually under your presidency?",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
254,Bush,"Of course not. It won't have an impact on hedge funds managers paying ordinary income. In fact, it's not just hedge fund people, but people that are doing -- they're in the business of investing other people's money, getting capital gains treatment is not appropriate. They should be paying ordinary income. That's their business. They're grateful to be able to make a lot of money, I'm sure. And what we do is lower the rates. It's not the end of the world that private equity people and hedge fund folks that are, right now, getting capital gains treatment for the income they earn, pay ordinary income like everybody else in this room. That's not a problem at all. What we need to do is reform the tax code to simplify the rates, to shift power away from Washington, D.C. That's what I did as governor of the state of Florida, $19 billion dollars of tax cuts, and it stimulated seven out of the eight years. Florida led the nation in job growth.",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
255,AUDIENCE,(APPLAUSE),2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
256,Dickerson,"Dr. Carson, before we go to break, could you give us your sense of this conversation about either Medicaid or economic growth through taxation?",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
257,Carson,"Well, first of all, let me just mention on the tax issue. Bencarson.com, go read about it, because my tax plan has been praised by Cato, by Wall Street Journal. Forbes said it is the best, the most pro-growth tax plan, and it's based on real fairness for everybody. Starts at the 150 percent poverty level, but even the people below that have to pay something, because everybody has to have skin in the game, and the millions of people can't, you know, talk about what other people have to pay and have no skin in the game. And it deals with corporate tax rate, and makes it the same as everybody",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
258,OTHER,(BELL),2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
259,Carson,...everybody pays exactly the same.,2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
260,Dickerson,Doctor...,2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
261,Carson,"... And, as far as Medicare and Medicaid, my main goal is to get rid of Obamacare and put the care back in the hands of (inaudible)...",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
262,Garrett,... Dr. Carson...,2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
263,Dickerson,"... Dr. Carson, I'm sorry, we have to go to a commercial. The free market wants what it wants. Back soon with the 2016 Republican debate in Greenville, South Carolina.",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
264,OTHER,(COMMERCIAL),2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
265,Dickerson,"Welcome back. We'll begin the second half of the debate with one of the hottest issues in the Republican campaign, immigration. But before I turn it back to Major Garrett and Kim Strassel, I have one question for Mr. Trump. Mr. Trump, in the Republican National Committee's Spanish-language response to the State of the Union, Congressman Diaz-Balart said, quote, ""It's essential that we find a legislative solution,"" talking about immigration, ""to offer a permanent and humane solution to those who live in the shadows. What does that mean to you, ""a humane solution to those who live in the shadows""?",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
266,Trump,"I want everybody taken care of, but we have to take care of our people in this country. We're not taking care of our people. We have no border. We have no control. People are flooding across. We can't have it. We either have a border, and I'm very strongly -- I'm not proposing. I will build a wall. I will build a wall. Remember this, the wall will be paid for by Mexico. We are not being treated right.",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
267,AUDIENCE,(APPLAUSE),2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
268,Trump,"We are not being treated properly. If we don't have borders, if we don't have strength, we don't have a country. People are flowing across. We have to take care of our people. Believe me.",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
269,Garrett,Senator Rubio...,2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
270,AUDIENCE,(APPLAUSE),2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
271,Garrett,"For the purposes of the lines -- lines you would draw legislatively as a president on immigration reform, define amnesty.",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
272,Rubio,"Well, first of all, I think amnesty is the forgiveness of a wrongdoing without consequence and that -- I've never supported that. I do not support that. I think there has to be consequences for violating our immigration laws. What I think is clear about this issue to begin with is we're not going to be able to make progress on illegal immigration until first, illegal immigration is brought under control. You go back to 1986, when they legalized three million people and they promised to secure the border. It didn't happen, and as a result, people have lost trust in the federal government. It is now clear that the only way to make progress on immigration is not just to pass a law that enforces the law, but actually prove to people that it's working. They want to see the wall built. They want to see the additional border agents. They want to see E-Verify. They want to see an entry-exit tracking system. Forty percent of the people in this country illegally are entering legally and overstaying visas. And only after all of that is in place, then we'll see what the American people are willing to support on this issue. I think the American people will be very reasonable, but responsible, about how you handle someone who has been here a long time, who can pass a background check, who pays a fine and starts paying taxes and all they want is a work permit. But you can't do any of that until you prove to people that illegal immigration is under control once and for all.",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
273,AUDIENCE,(APPLAUSE),2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
274,Strassel,"Senator Cruz. Senator Cruz, you have promised to deport illegal aliens. You have also promised to reverse President Obama's executive action that gives temporary amnesty to illegals brought here by their parent as children. As president, you would have the names and addresses of the some 800,000 of those that have registered under that action. Now, you have said that in this country, we shouldn't go door to door, look for illegals, but in this case you would have a list. Would you use it?",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
275,Cruz,"Well, you know, your question highlights a sharp difference on immigration on this stage. You know, in a Republican primary, everyone talks tough on immigration. Everyone is against illegal immigration in a Republican primary. But as voters, we've been burned over and over again by people that give us a great campaign speech and they don't walk the walk. There are sharp differences on amnesty. If you look at the folks on this stage, when Harry Reid and Chuck Schumer and establishment Republicans were leading the fight to pass a massive amnesty plan, I stood with Jeff Sessions and Steve King and the American people and led the fight to defeat that amnesty plan.",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
276,AUDIENCE,(APPLAUSE),2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
277,Strassel,So would you -- would you use the addresses?,2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
278,Cruz,"Now, that moment...",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
279,Strassel,Would you pick them up?,2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
280,Cruz,"That moment was what Reagan would call ""a time for choosing."" When it comes to deciding which side of the line you're on, the Rubio-Schumer amnesty",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
281,AUDIENCE,(BOOING),2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
282,Cruz,"...apparently supported by the donor class, which is why Washington supported it. The Rubio-Schumer amnesty plan passed the Senate, and it was on the verge of passing the House. House leadership intended to take it up and pass it with the Democrats overruling most of the Republicans. And the question for anyone on illegal immigration is, where were you in that fight? Where did you stand? You are right. There is a difference between Senator Rubio and me on this question.",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
283,CANDIDATES,(CROSSTALK),2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
284,Strassel,"Senator Rubio, your reply.",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
285,Rubio,"We're going to have to do this again, O.K.? When that issue was being debated, Ted Cruz, at a committee hearing, very passionately said, I want immigration reform to pass, I want people to be able to come out of the shadows. And he proposed an amendment that would legalized people here. Not only that, he proposed doubling the number of green cards. He proposed a 500 percent increase on guest workers. Now his position is different. Now he is a passionate opponent of all those things. So he either wasn't telling the truth then or he isn't telling the truth now, but to argue he is a purist on immigration is just not true.",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
286,AUDIENCE,(APPLAUSE),2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
287,Cruz,"Major, I get a response to that.",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
288,Garrett,"Very quickly, Senator Cruz.",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
289,Strassel,"All right. Senator Cruz. Your response, Senator Cruz.",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
290,Cruz,"You know, the lines are very, very clear. Marco right now supports citizenship for 12 million people here illegally. I oppose citizenship. Marco stood on the debate stage and said that. But I would note not only that -- Marco has a long record when it comes to amnesty. In the state of Florida, as speaker of the house, he supported in-state tuition for illegal immigrants. In addition to that, Marco went on Univision in Spanish and said he would not rescind President Obama's illegal executive amnesty on his first day in office. I have promised to rescind every single illegal executive action, including that one.",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
291,AUDIENCE,(APPLAUSE) (BOOING),2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
292,Cruz,And on the question...,2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
293,CANDIDATES,(CROSSTALK),2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
294,Rubio,"Well, first of all, I don't know how he knows what I said on Univision, because he doesn't speak Spanish. And second of all, the other point that I would make...",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
295,Cruz,(SPANISH).,2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
296,Rubio,"Look, this is a disturbing pattern now, because for a number of weeks now, Ted Cruz has just been telling lies. He lied about Ben Carson in Iowa.",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
297,AUDIENCE,(APPLAUSE),2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
298,Rubio,"He lies about Planned Parenthood. He lies about marriage. He's lying about all sorts of things. And now he makes things up. The bottom line is this is a campaign and people are watching it. And they see the truth behind all these issues. And here is the truth, Ted Cruz supported legalizing people that were in this country...",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
299,Cruz,That is simply...,2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
300,CANDIDATES,(CROSSTALK),2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
301,Rubio,... and only now does he say...,2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
302,CANDIDATES,(CROSSTALK),2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
303,Cruz,"That is absolutely false. What he said is knowingly false. And I would note, if you want to assess -- if you want to assess...",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
304,Rubio,"Well, we'll put on our website, marcorubio.com. We're going to...",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
305,CANDIDATES,(CROSSTALK),2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
306,Cruz,... who is telling the truth...,2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
307,CANDIDATES,(CROSSTALK),2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
308,Cruz,If you want to assess who is telling the,2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
309,AUDIENCE,(APPLAUSE),2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
310,Cruz,"...then you should look to Jeff Sessions, who said, without Ted Cruz the Rubio-Schumer amnesty bill would have passed, and Ted was responsible. You should look to Rush Limbaugh and Mark Levin, that said...",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
311,CANDIDATES,(CROSSTALK),2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
312,Garrett,"Governor Bush, I want to bring this out to a little wider philosophical aspect, if you will.",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
313,Bush,Thank you.,2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
314,Garrett,"You have said illegal immigrants, quote, ""broke the law, but it's not a felony,"" still quoting you, ""it's an act of love, it's an act of commitment to your family."" Mr. Trump has, as you are well aware, denounced that statement over and over. Do you still believe it? What does that mean to you? And how does that inform your approach to immigration reform?",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
315,Bush,"Great question. I feel like I have to get into my inner Chris Christie, and point out that the reason why I should be president is listening to two senators talk about arcane amendments to bills that didn't pass.",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
316,AUDIENCE,(APPLAUSE),2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
317,Bush,"This is -- this is the problem. We need a leader to fix this problem. And I have a detailed plan to do just that, including controlling the border, dealing with the visa over-stayers, making sure that we have a path to legal status, not to citizenship, for those that come out from the shadows and pay a fine, learn English, don't commit crimes, work and pay taxes. That is the better approach.",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
318,Garrett,"Fundamentally, do you believe this rhetoric is insufficiently compassionate to this issue?",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
319,Bush,"The great majority of people that come to this country come because they have no other choice. They want to come to provide for their families. That doesn't mean it's right. That doesn't mean it's right. We should pick who comes to our country. We should control our border. Coming here legally should be a lot easier than coming here illegally. But the motivation, they're not all rapists, as you-know-who said. They're not that. These are people that are coming to provide for their families. And we should show a little more respect for the fact that they're struggling. It doesn't mean we shouldn't be controlling the border. That's exactly what we should be doing.",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
320,Garrett,Mr. Trump...,2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
321,AUDIENCE,(APPLAUSE),2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
322,Trump,"...When I announced that I was running for president on June 16th, illegal immigration wasn't even a subject. If I didn't bring it up, we wouldn't even be talking. Now, I don't often agree with Marco, and I don't often agree with Ted, but I can in this case. The weakest person on this stage by far on illegal immigration is Jeb Bush. They come out of an act of love, whether you like it or not. He is so weak on illegal immigration it's laughable, and everybody knows it.",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
323,Bush,"... So, you",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
324,OTHER,(BELL),2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
325,Bush,"...This is the standard operating procedure, to disparage me. That's fine...",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
326,Trump,... Spend a little more money on the commercials...,2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
327,Bush,"... But, if you want to talk about weakness, you want to talk about weakness? It's weak to disparage women.",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
328,AUDIENCE,(APPLAUSE),2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
329,Trump,(inaudible). I don't know what you're talking about.,2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
330,Bush,"It's weak to denigrate the disabled. And,it's really weak to call John McCain a loser because he was a...",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
331,Trump,... I never called him -- I don't call him..,2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
332,Bush,... That is outrageous. The guy's an American hero.,2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
333,AUDIENCE,(APPLAUSE),2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
334,Trump,He also said about language...,2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
335,Bush,... The simple fact is I've also laid out my plans on (inaudible) immigration...,2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
336,Trump,"... Language. Two days ago he said he would take his pants off and moon everybody, and that's fine. Nobody reports that. He gets up and says that, and then he tells me, oh, my language was a little bit rough...",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
337,Strassel,... O.K....,2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
338,Trump,... My language. Give me a break...,2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
339,Garrett,"... Governor Kasich, here in South Carolina earlier this week, you said the idea, the concept of deporting 11 million undocumented workers...",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
340,Bush,"(inaudible) Just, for the record (inaudible) make sure my mother's listening, if she's watching the debate. I didn't say that I was going to moon somebody...",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
341,Trump,"... You did say it, you did say it. Been reported in 10 different news...",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
342,Garrett,"... We will leave the moon metaphors to be adjudicated later, I assure you. Governor Kasich, you said earlier this week in South Carolina, the concept, the idea of deporting 11 million undocumented workers in this country is nuts. Why is it you are so opposed to that idea? Senator Cruz has said it's a simple application of existing law. The application of that is not inhumane, it is just. Why do you disagree?",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
343,Kasich,"Before I get to that, this is the ninth or 10th debate. What I've been watching here, this back and forth, and these attacks, some of them are personal. I think we're fixing to lose the election to Hillary Clinton if we don't stop this.",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
344,AUDIENCE,(APPLAUSE),2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
345,Kasich,"I mean, the fact is -- you know what? I would suggest, why don't we take off all the negative ads and all the negative comments down from television and let us just talk about what we're for, and let's sell that, and the Republican Party will be stronger as a result...",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
346,Garrett,... What are you for on immigration?,2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
347,Kasich,"... (inaudible) (inaudible) First of all, I'm for sealing the border, O.K.? And then I'm for a guest worker program. People can come in, work and go back home. We haven't closed the border because special interests, I believe, blocked it. Then, we have 11 and a half million people here. If they have not committed a crime since they've been here, make them pay a fine and some back taxes, and give them a path to legalization, never to citizenship. It is not going to happen that we're going to run around and try to drag 11 and a half million people out of their homes. I'll tell you this. Within the first hundred days, I will send a plan like this to the Congress of the United States, and if I'm president, I'll bet you dollar to doughnuts right now, it will pass.",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
348,OTHER,(BELL),2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
349,Kasich,"That is a reasonable proposal that the people of this country, in my judgment, will support, and so will the bulk of the Congress of the United States.",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
350,AUDIENCE,(APPLAUSE),2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
351,Strassel,"Moving subjects. Dr. Carson, this week Morgan Stanley agreed to pay a $3.2 billion fine to state and federal authorities for contributing to the mortgage crisis. You have a lot of Democrats out saying that we should be jailing more executives, so two questions. Should financial executives be held legally responsible for financial crisis, and do you think fines like these are an effective way to deter companies from future behavior like that?",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
352,Carson,"Well, first of all, please go to my website, bencarson.com, and read my immigration policy, O.K.? Because it actually makes sense. Now, the -- as far as these fines are concerned, you know? Here's the big problem. We've got all these government regulators, and all they're doing is running around looking for people to fine. And we've got 645 different federal agencies and sub-agencies. Way, way too many, and they don't have anything else to do. I think what we really need to do is start trimming the regulatory agencies rather than going after the people who are trying to increase the viability, economic viability of our society. Now, that doesn't mean there aren't some people out there who are doing bad things. But I'm not sure that the way to solve that problem is by increasing all the regulatory burden. You know, when you consider how much regulations cost us each year, you know? $2 trillion dollars per family, $24,000 per family, that happens to be the same level as the poverty",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
353,OTHER,(BELL),2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
354,Carson,"... for a family of four. If you want to get rid of poverty, get rid of all the regulations.",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
355,Dickerson,"Senator Cruz, I have a question for you. Speaker Paul Ryan has made a big commitment to trying to lift the 50 million poor out of poverty. Arthur Brooks, who is the president of the American Enterprise Institute, says, quote, ""If we are not warriors for the poor every day, free enterprise has no matter."" How you have been, in your campaign, a warrior for the poor?",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
356,Cruz,"I think it is a very important question because the people who have been hurt the most in the Obama economy had been the most vulnerable. It's been young people. It's been Hispanics. It's been African-Americans. It's been single moms. We have the lowest percentage of Americans working today in any year since 1977. And the sad reality is big government, massive taxes, massive regulation, doesn't work. What we need to do instead is bring back booming economic growth, let -- small businesses are the heart of the economy. Two-thirds of all new jobs come from small businesses. If we want to lift people out of poverty -- you know, I think of these issues from the perspective of my dad. My dad fled Cuba in 1957. He was just 18. He couldn't speak English. He had nothing. He had $100 in his underwear. And he washed dishes making 50 cents an hour and paid his way through school. Today, my dad is a pastor. He travels the country preaching the gospel. Now, I think about all of these issues. How would it impact my dad when he was washing dishes? If we had Obamacare in place right now, the odds are very high my father would have been laid off, because it's teenaged kids like my dad who have gotten laid off. If he didn't get laid off, the odds are high he would have had his hours forcibly reduced to 28, 29 hours a week. We need to lift the burdens on small businesses so you have jobs, and we need welfare reform that gets people off of welfare and back to work.",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
357,Garrett,Mr. Trump -- Mr. Trump.,2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
358,AUDIENCE,(APPLAUSE),2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
359,Garrett,"I was with you in Pendleton, South Carolina, earlier this week at the Rodeo Arena. It was a bit chilly there. You promised the crowd, and they rose to their feet, that if Ford or a company like were to move a factory to Mexico, you would try to stop it or threaten them with a 35 percent tax or tariff on every car sold.",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
360,Trump,Or a tax.,2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
361,Garrett,"Right. So my question is, based on your understanding of the presidency, where do you derive that power? Would you need the consent of Congress to go along? And do you see the presidency as a perch from which you can cajole and/or threaten private industry to do something you think is better for the U.S. economy?",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
362,Trump,"I would build consensus with Congress, and Congress would agree with me. I'll give you an example, because I don't like the idea of using executive orders like our president. It is a disaster what he's doing. I would build consensus, but consensus means you have to work hard. You have to cajole. You have to get them into the Oval Office and get them all together, and you have to make deals. Let me just tell you, I mentioned before, China -- big Chinese company bought the Chicago Exchange. Kerry is moving -- and if you saw the people, because they have a video of the announcement that Carrier is moving to Mexico, O.K.? Well, I'll tell you what. I would go right now to Carrier and I would say I am going to work awfully hard. You're going to make air conditioners now in Mexico. You're going to get all of these 1,400 people that are being laid off -- they're laid off. They were crying. They were -- it was a very sad situation. You're going to go to Mexico. You're going to make air conditioners in Mexico, you're going to put them across our border with no tax. I'm going to tell them right now, I am going to get consensus from Congress and we're going to tax you when those air conditioners come. So stay where you are or build in the United States, because we are killing ourselves with trade pacts that are no good for us and no good for our workers.",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
363,AUDIENCE,(APPLAUSE),2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
364,Dickerson,"All right. Mr. Trump, thank you so much. We're going to take a break for a moment. We'll be back in a moment with the CBS News Republican debate.",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
365,OTHER,(COMMERCIAL),2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
366,Dickerson,"We're back now from Greenville, South Carolina, with the candidates for the Republican presidential nomination. Mr. Trump, I have a question for you. Presidents have to, on the one hand, be firm, but also be flexible. You have been flexible and changed your opinion on a number of things, from abortion to Hillary Clinton. But you have said, rightly, that it's just like Ronald Reagan, who changed his mind on things. But at the same time, you're criticizing Senator Cruz for what you say is a change on immigration. He disputes that, of course. So, why is your change of opinion make you like Reagan, and when he changes his opinion, it's a huge character flaw?",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
367,AUDIENCE,(LAUGHTER),2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
368,Trump,"John, in life you have flexibility. You do have flexibility. When you're fighting wars, you're going one way, you have a plan. It's a beautiful plan. It can't lose. The enemy makes a change, and all of a sudden you have to change. You have to have flexibility. In Ronald Reagan, though, in terms of what we're talking about, was the great example. He was a somewhat liberal Democrat who became a somewhat, pretty strong conservative. He became -- most importantly, he became a great president. He made many of the changes that I've made -- I mean, I've seen as I grew up, I've seen, and as I get older and wiser, and I feel that I am a conservative. Now, I also feel I'm a common-sense conservative, because some of the views I don't agree with. And I think a lot of people agree with me, obviously, based on what's happening.",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
369,Dickerson,Which conservative idea don't you agree with?,2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
370,Trump,"Well, I think these people always hit me with eminent domain, and frankly, I'm not in love with eminent domain. But eminent domain is something you need very strongly. When Jeb had said, ""You used eminent domain privately for a parking lot."" It wasn't for a parking lot. The state of New Jersey -- too bad Chris Christie is not here, he could tell you -- the state of New Jersey went to build a very large tower that was going to employ thousands of people. I mean, it was going to really do a big job in terms of economic development. Now, just so you understand, I got hit very hard. It's private, it's private eminent domain. You understand that they took over a stadium in Texas, and they used private eminent domain, but he just found that out after he made the charge.",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
371,Dickerson,"All right. Governor Bush, I think by ""they,"" he is referring to your brother, these on the hook for your brother.",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
372,Trump,"Yeah. Well, Jeb wouldn't have known about it.",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
373,Bush,"So, there -- so, there is all sorts of intrigue about where I disagree with my brother, there would be one right there. You should not use eminent domain for private purposes. A baseball stadium or a parking lot for a limo...",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
374,AUDIENCE,(LAUGHTER),2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
375,Trump,"You shouldn't have used it then, Jeb.",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
376,Dickerson,But that was his brother.,2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
377,Bush,"It's very different. Transmission lines, pipe lines, bridges and highways. All of that is proper use of imminent domain. Not to take an elderly woman's home to build a parking lot so that high-rollers can come from New York City to build casinos in Atlantic City.",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
378,Strassel,"Senator Cruz, you were mentioned in the mix here, your response?",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
379,Cruz,"You know, flexibility is a good thing, but it shouldn't -- you shouldn't be flexible on core principles. I like Donald, he is an amazing entertainer, but his policies for most of his life...",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
380,Trump,"Thank you very much, I appreciate it.",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
381,Cruz,"For most of his life, his policies have been very, very liberal. For most of his life, he has described himself as very pro- choice and as a supporter of partial birth abortion. Right now, today, as a candidate, he supports federal taxpayer funding for Planned Parenthood. I disagree with him on that. That's a matter of principle, and I'll tell you...",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
382,Trump,"You probably are worse than Jeb Bush. You are single biggest liar. This guy's lied -- let me just tell you, this guy lied about Ben Carson when he took votes away from Ben Carson in Iowa, and he just continues. Today, we had robo-calls saying, ""Donald Trump is not going to run in South Carolina,"" where I'm leading by a lot. I'm not going to vote for Ted Cruz. This is the same thing he did to Ben Carson. This guy will say anything, nasty guy. Now I know why he doesn't have one endorsement from any of his colleagues.",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
383,Cruz,"Don, I need to go on...",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
384,Trump,He's a nasty guy.,2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
385,Cruz,"I will say, it is fairly remarkable to see Donald defending Ben after he called, ""pathological,"" and compared him to a child molester. Both of which were offensive and wrong. But let me say this -- you notice Donald didn't disagree with the substance that he supports taxpayer funding for Planned Parenthood. And Donald has this weird pattern, when you point to his own record, he screams, ""Liar, liar, liar."" You want to go...",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
386,Trump,Where did I support it? Where did I...,2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
387,Cruz,You want to go...,2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
388,CANDIDATES,(CROSSTALK),2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
389,Trump,"Again, where did I support it?",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
390,Cruz,"If you want to watch the video, go to our website at Tedcruz.org.",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
391,Trump,"Hey Ted, where I support it?",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
392,Cruz,You can see it out of Donald's own mouth.,2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
393,Trump,Where did I support?,2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
394,Cruz,You supported it when we were battling over defunding Planned Parenthood. You went on...,2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
395,Trump,That's a lot of lies.,2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
396,Cruz,"You said, ""Planned Parenthood does wonderful things and we should not defund it.""",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
397,Trump,"It does do wonderful things, but not as it relates to abortion.",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
398,Cruz,So I'll tell you what...,2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
399,Trump,"Excuse me. Excuse me, there are wonderful things having to do with women's health.",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
400,Cruz,"You see, you and I...",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
401,Trump,But not when it comes to abortion.,2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
402,Cruz,"Don, the reasoned principle matters. The reasoned principle matters, sadly was illustrated by the first questions today. The next president is going to appoint one, two, three, four Supreme Court justices. If Donald Trump is president, he will appoint liberals. If Donald Trump is president, your Second Amendment will gone...",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
403,CANDIDATES,(CROSSTALK),2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
404,Trump,Hold on...,2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
405,Cruz,You know how I know that?,2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
406,Dickerson,"Hold on, gentleman, I'm going to turn this car around.",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
407,Trump,"Ted Cruz told your brother that he wanted John Roberts to be on the United States Supreme Court. They both pushed him, he twice approved Obamacare.",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
408,Dickerson,"All right, gentlemen.",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
409,Bush,My name was mentioned twice.,2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
410,Dickerson,"Well, hold on. We're going to -- gentlemen, we're in danger of driving this into the dirt. Senator Rubio, I'd like you to jump in here...",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
411,Bush,He called me a liar.,2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
412,Dickerson,"I understand, you're on deck, governor.",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
413,Bush,"Also, he talked about one of my heroes, Ronald Reagan. Ronald Reagan was a liberal maybe in the 1950s. He was a conservative reformed governor for eight years before he became president, and no one should suggest he made an evolution for political purposes. He was a conservative, and he didn't tear down people like Donald Trump is. He tore down the Berlin Wall.",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
414,Trump,"O.K., governor.",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
415,Bush,He was a great guy.,2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
416,AUDIENCE,(APPLAUSE),2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
417,Dickerson,"Senator Cruz, 30 seconds on this one.",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
418,Cruz,I did not nominate John Roberts. I would not have nominated John Roberts.,2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
419,Trump,You pushed him. You pushed him.,2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
420,Cruz,I supported...,2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
421,Trump,You worked with him and you pushed him. Why do you lie?,2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
422,Cruz,You need to learn to not interrupt people.,2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
423,Trump,Why do you lie?,2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
424,Cruz,"Donald, adults learn...",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
425,Trump,You pushed him.,2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
426,Cruz,Adults learn not to interrupt people.,2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
427,Trump,"Yeah, yeah, I know, you're an adult.",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
428,Cruz,"I did not nominate him. I would not have nominated him. I would've nominated my former boss Liberman, who was Justice Scalia's first law clerk. And you know how I know that Donald's Supreme Court justices will be liberals? Because his entire life, he support liberals from Jimmy Carter, to Hillary Clinton, to John Kerry. In 2004, he contributed to John Kerry. Nobody who cares about judges would contribute to John Kerry, Hillary Clinton, Chuck Schumer and Harry Reid.",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
429,Dickerson,We're going to switch...,2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
430,Cruz,That's what Donald Trump does.,2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
431,Dickerson,"We're going to switch here to Senator Marco Rubio. Senator Marco Rubio, please weigh in.",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
432,Rubio,On anything I want?,2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
433,Dickerson,I thought you had a point?,2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
434,Rubio,"Well, let me talk about poverty.",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
435,Dickerson,I thought you had a point you wanted to make.,2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
436,Rubio,I do.,2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
437,Bush,That was me.,2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
438,Rubio,I had something important.,2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
439,Dickerson,"You're on deck, sir.",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
440,Rubio,"The issue of poverty is critical, because for me, poverty is the -- is -- is free enterprise not reaching people. Today, we have antipoverty programs that don't cure poverty. We don't cure poverty in America. Our antipoverty programs have become, in some instances, a way of life, a lifestyle. Now, we do need antipoverty programs, you can't have free enterprise programs without them, but not as a way of life. And so I have a very specific proposal on this and I don't -- in 60 seconds, I can't describe it all, but it basically turns the program over to states. It allows states to design innovative programs that cure poverty, because I think Nikki Haley will do a better job curing poverty than Barack Obama.",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
441,AUDIENCE,(APPLAUSE),2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
442,Dickerson,"Senator, I wanted to ask you, just going back to immigration, in the last debate, you listed your series of accomplishments in the Senate. One thing you left off was -- was immigration reform. Is it the case that in your list of accomplishments you can't mention that?",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
443,Rubio,"Well, no. It's not the case. It didn't pass, and we haven't solved immigration in this country. It's still a problem. It is worse today than it was three years ago, which is worse than it was five years ago. And it has to be confronted and solved. But the only way forward on this issue -- you asked a question about flexibility. Let me tell you about that. One of the things that you need in leadership is the ability to understand that to get things done, you must figure out the way to get it done. You will not pass comprehensive immigration reform. People do not trust the federal government. They want to see the law being enforced. They want to see illegal immigration come under control. They want to see that wall. They want to see E-Verify. They want to see all of these things working, and then they will have a conversation with you about what do you do with people that have been here a long time that are otherwise, you know, not criminals. But they're not going to do it until you first enforce the law.",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
444,Dickerson,"Dr. Carson, I",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
445,AUDIENCE,(APPLAUSE),2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
446,Dickerson,"...Dr. Carson, I have a question for you. Candidates are...",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
447,Carson,"Before you ask the question, can I respond to the -- you know, they mentioned my name a couple of times.",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
448,Dickerson,"All right. You have 30 seconds, Doctor.",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
449,Carson,"All right. Well, first of all, you know, so many people have said to me, ""You need to scream and jump and down -- jump up and down like everybody else."" Is that really what you want? What we just saw? I don't think so. And you know, I -- when I got into this race, I decided to look under the hood of the engine of what runs Washington, D.C., and my first inclination was to run away, but I didn't do it because I'm thinking about our children and the fact that we are the United States of America. And anybody up here is going to be much better than what's going to come on the other side. And what happened tonight with -- with Justice Scalia tells you that we cannot afford to lose this election, and we cannot be tearing each other down.",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
450,AUDIENCE,(APPLAUSE),2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
451,Dickerson,"Dr. Carson, I -- let me ask you a different question. When you were -- you were the first one, really, to talk about political correctness. Everybody now talks about it, but that was really what sparked your -- your rise. Politicians are often accused of glossing over any hard choices people have to make, just always selling happy, nice things. So in the -- in the spirit of saying something that might be politically incorrect, tell the voters something that they need to hear but that might be politically incorrect?",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
452,Carson,"Well, first of all, I'm not a politician, so I'm never going to become a politician. But here's what -- here's what people need to know. People need to know that free college is not -- it's a non-starter. You know, you have to look at our economic situation. We're on the verge of economic collapse and, you know, we're -- it's not just the $19 trillion, but it's also the $200 trillion in unfunded liabilities. What we need to think about is, what does that do to the average person? When we have a debt of that nature, it causes the Fed to change their policy, it causes the central bank to keep the -- the rates low, and who does does that affect? Mr. Average, who used to go to the bank every Friday and put part of his check in the bank and watch it grow over three decades and be able to retire with a nice nest egg, that's gone. That part of the American dream is gone. All of these things are disappearing, and Bernie Sanders and people like Hillary Clinton blame it on the rich. They say those evil rich people, if we take their money we can solve the problem. It's not the evil rich people. It's the irresponsible, evil government.",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
453,AUDIENCE,(APPLAUSE),2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
454,Dickerson,"Governor Kasich. Governor Kasich, you've been described as the Democrats' favorite Republican. You talked about in New Hampshire, Democrats would come up to you and say, ""I hope you win."" Why will that help you win a Republican nomination?",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
455,Kasich,"You know, John, I think all people are the same. Look, I did 106 town halls, and I've been doing them left and right here in South Carolina. The first thing we have to do is grow the economy, and I know the formula because I was chairman in Washington when we balanced the budget and created so many jobs, and the same that we've been able to do in Ohio. You need common-sense regulations so small business can flourish, you need lower taxes both on business and individuals, and you need a fiscal plan to be able to get ourselves in a situation where people can predict a little bit about the future when it comes to the fiscal issues. And when you have that formula, combined with work force that's trained, you can explode the economy and create many jobs. I have done it twice, and I want to go back to Washington and do it again. John, the thing is, is I think that there are people now, these blue-collar Democrats -- my dad was a blue-collar Democrat -- the Democratic Party has left them. When they're arguing about being socialists, they've left -- they have lost those blue-collar Democrats. And you know what I think they get out of me -- is my sense of what they get out of me, and it's embarrassment about campaigns, you brag about yourself. But I think I'm a uniter, I think people sense it. I think they know I have the experience, and that I'm a man that can give people hope and a sense that they have the opportunity rise. And I'll tell you, I love these blue-collar Democrats, because they're going to vote for us come next fall, promise you that.",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
456,AUDIENCE,(APPLAUSE),2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
457,Dickerson,"Mr. Trump, let me ask you a question. Presidents in both parties say that the one thing you need in your administration is somebody who can tell you you're wrong. You don't necessarily seem like somebody who has somebody who tells you you're wrong a lot. Can you tell us of an instance where somebody has said, ""Donald Trump, you're wrong,"" and you listened to them?",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
458,Trump,"Well, I would say my wife tells me I'm wrong all the time. And I listen.",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
459,AUDIENCE,(LAUGHTER),2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
460,Dickerson,About what?,2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
461,Trump,"Oh, let me just say -- look, I am very open -- I hired top people. I've had great success. I built a great, great company. I don't need to do this. I'm self-funding. I'm spending a lot of money. I've spent -- like in New Hampshire, I spent $3 million. Jeb bush spent $44 million. He came in five, and I came in No. 1. That's what the country needs, folks. I spent 3, he spends 42 of their money, of special interest money. And it's just -- this is not going to make -- excuse me. This is not going to make our country great again. This is not what we need in our country. We need people that know what the hell they're doing. And politicians, they're all talk, they're no action. And that's why people are supporting me. I do listen to people. I hire experts. I hire top, top people. And I do listen. And you know what? Sometimes they're wrong. You have to know what to do, when to do it. But sometimes they're wrong.",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
462,Dickerson,"Let me -- something, in talking to voters that they wish somebody would tell you to cut it out is the profanity. What's your reaction to that?",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
463,AUDIENCE,(APPLAUSE),2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
464,Trump,"Well, I'll tell you -- over the years, I've made many speeches. People have asked me, big companies have asked me to make speeches, and friends of mine that run big companies on success. And occasion, in order to sort of really highlight something, I'll use a profanity. One of the profanities that I got credited with using, that I didn't use, was a very bad word, two weeks ago, that I never used. I said, ""You."" And everybody said ""Oh, he didn't say anything wrong."" But you bleeped it, so everyone thinks I said the -- I didn't say anything. I never said the word. It is very unfair, that criticism. Now, I will say this, with all of that being said, I have said I will not do it at all, because if I say a word that's a little bit off color, a little bit, it ends up being a headline. I will not do it again. I was a very good student at a great school not using -- by the way -- not using profanity is very easy.",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
465,Dickerson,"All right. O.K. Governor Bush, I'd like to ask you...",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
466,Bush,"Yeah, well, I have got to respond to this.",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
467,Dickerson,"Well, can I -- how about you respond, and then you can answer the question I'm about to ask you.",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
468,Bush,Sounds like a good plan.,2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
469,Dickerson,It'll be...,2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
470,Bush,"Or you could ask me two questions, so I could get two minutes instead of one.",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
471,Dickerson,"If we adjudicate this, the night will be over. Governor, in 2012, you said that your father and Ronald Reagan would have a hard time in today's Republican Party, based on their records of trying to find accommodation and finding some degree of common ground. Do you still feel that way?",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
472,Bush,"I think the dysfunction in Washington is really dangerous, that's what I think. And we need a proven leader that has a record of solving problems, someone who doesn't cut and run; someone who could be a commander in chief to unite our country around common purposes; someone who doesn't disparage people. Someone that doesn't brag, for example, that he has been bankrupt four times and it was great, because he could use the legal system. Someone...",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
473,Trump,That's not -- let me respond. That's another lie. I never went bankrupt!,2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
474,CANDIDATES,(CROSSTALK),2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
475,Dickerson,"Hold on, Mr. Trump.",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
476,CANDIDATES,(CROSSTALK),2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
477,Trump,"No, but it's another lie.",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
478,Dickerson,"Hold on, Mr. Trump.",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
479,Trump,"No, but it's another lie. This guy doesn't know what he's talking about. Just a lie.",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
480,Bush,"We need someone with a proven record to be able to forge consensus to solve problems. And right now, both Republicans and Democrats in Washington don't get it. People are struggling -- 63 percent of Americans can't make a $500 car payment. Most Americans are living paycheck to paycheck. And we need someone has a proven record of growing the economy, reforming the things that are broken. And I'm that person.",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
481,Dickerson,"O.K., Mr. Trump, your response.",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
482,AUDIENCE,(APPLAUSE),2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
483,Trump,"Let me just tell you. Jeb goes around saying, just like the biggest business leaders in this country, I've used the laws of the land to chapter -- I bought a company, I threw it immediately into a chapter, I made a great deal. I uses the laws to my benefit, because I run a company.",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
484,Bush,Yeah...,2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
485,Trump,"Excuse me, Jeb!",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
486,Bush,Yeah.,2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
487,Trump,"I never went bankrupt, never. Now -- but you don't want to say that. Now, let me just say, I've used it, just like the biggest leaders in the country. Let me tell you something -- Florida. Florida, he put so much debt on Florida. You know, we keep saying he's a wonderful governor, wonderful governor. He put so much debt on Florida, and he increased spending so much that as soon as he got out of office, Florida crashed. I happened to be there. It's my second home. Florida crashed. He didn't do a good job as governor.",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
488,Bush,Here we go.,2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
489,Trump,"And you haven't -- excuse me, you haven't heard that. You listen to the good record in Florida. You take a look at what happened, as soon as that year ended he got out, Florida crashed. Too much debt. He loaded it up with debt, and his spending went through the roof.",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
490,CANDIDATES,(CROSSTALK),2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
491,Trump,By the way...,2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
492,Dickerson,"The bells are ringing, sir.",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
493,Trump,... he was not a good governor.,2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
494,Bush,"Here's the record. Here's the record. We led the nation in job growth seven out of eight years. When I left there was $9 billion of reserves, 35 percent of general revenue. No state came close to that.",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
495,Trump,Take a look at your numbers.,2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
496,Bush,"When I -- during my time, we were one of the two states to go to AAA bond rating. We didn't go bankrupt like Trump did and call it success when people are laid off, when vendors don't get paid. That's not success. What we did was create an environment where people had a chance to have income. Personal income during my time went up by 4.4 percent.",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
497,Trump,Florida went down the tubes right after he got out of office.,2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
498,Bush,The government grew by...,2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
499,Trump,Went right down because of what he did to it.,2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
500,Bush,... half of that.,2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
501,Dickerson,"All right. Thank you. Senator Rubio, I want to ask you a 30-second question, no president can...",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
502,Rubio,Thirty seconds.,2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
503,Dickerson,"No -- well, I'll ask the question, you do what you want.",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
504,Rubio,I speak fast.,2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
505,AUDIENCE,(LAUGHTER),2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
506,Dickerson,"No president can know everything, right? So a smart leader knows how to ask questions. So if you could talk to any previous president, what's the smart question you would ask about that job that you would want to know?",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
507,Rubio,"Well, I think one of the presidents -- well, the president I grew up under was Ronald Reagan. And Reagan had a vision for America's future. And if you think about what Ronald Reagan inherited, it's not unlike what the next president is going to inherit. This is the worst president we've had in 35 years, 35 years back would have made it Jimmy Carter. That's what Ronald Reagan inherited. And I think the question you would ask is, how did you inspire again the American people to believe in the future? How did you -- what did it take to ensure that the American people, despite all of the difficulties of the time -- you know, you look back at that time, the American military was in decline. Our standing in the world was in decline. We had hostages being held in Iran. Our economy was in bad shape. The American people were scared about the future. They were scared about what kind of country their children were going to live in and inherit. And yet somehow Ronald Reagan was able to instill in our nation and in our people a sense of optimism. And he turned America around because of that vision and ultimately because of that leadership. I wish Ronald Reagan was still around. This country needs someone just like that. And if our next president is even half the president Ronald Reagan was, America is going to be greater than it has ever been.",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
508,AUDIENCE,(APPLAUSE),2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
509,Dickerson,"All right. That's going to have to be it there, Senator Rubio. We have got to go to a break. We will be right back with the CBS News Republican debate in Greenville, South Carolina.",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
510,OTHER,(COMMERCIAL),2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
511,Dickerson,"Time now for closing statements. You will each have one minute, and we'll begin with Governor Kasich.",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
512,Kasich,"Well, I want to thank the people of South Carolina. You've been fantastic. And look, what I want you to know is I'm going to send a lot of power, money and influence back to where we all live. But as I've traveled around South Carolina, I've noticed something. You know, it's that people have a sense that you're not going to wait on a president. You know, when I was a kid, we didn't wait on presidents to come to that little blue-collar town and fix things. You know, the Lord made all of us special. The Lord wants us to be connected. I believe we're part of a very big mosaic. And I'll send the power back. And whoever gets elected president here, hopefully will take care of the issue of jobs and wages and Social Security and the border. But the spirit of the America rests in all of us. It's in our guts. It's taking care of our children. It's taking care of the lady next door who just lost her husband. It's fixing the schools where we live and telling kids to stay off drugs. You see, I think what the Lord wants is for to us engage, and in America, the spirit of America doesn't come from the top down. The spirit of America rests in us. And I want to call on everyone in America to double down and realize that you were made special to heal this country and lift it for everyone. Thank you all very much. And I hope I can have your vote in South Carolina.",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
513,AUDIENCE,(APPLAUSE),2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
514,Dickerson,"Dr. Carson -- Dr. Carson, you're next.",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
515,Carson,"This is the first generation not expected to do better than their parents. Some people say it's the new normal, but there's nothing normal about it in an exceptional American. I, like you, am a member of we, the people, and we know that our country is heading off the cliff. Joseph Stalin said if you want to bring America down you, have to undermine three things: our spiritual life, our patriotism and our morality. We, the people, can stop that decline, starting right here in South Carolina. If all the people who say, ""I love Ben Carson and his policies, but he can't win,"" vote for me, not only can we win, but we can turn this thing around. You know, we have this manipulation by the political class and by the media telling us who we're supposed to pick and how we're supposed to live. We, the people, are the only people who will determine that. And if you elect me as your next president, I promise you that you will get somebody who is accountable to everybody and beholden to no one. Thank you.",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
516,AUDIENCE,(APPLAUSE),2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
517,Dickerson,Governor -- Governor Bush.,2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
518,Bush,"Thank you all very much. The next president is going to be confronted with an unforeseen challenge. That's almost certain. It could be a pandemic, a major natural disaster or an attack on our country. The question for South Carolinians and Americans is who do you want to have sitting behind the big desk in the Oval Office? Because that's the question. It's not the things we're talking about today. It's the great challenge that may happen. I believe I will have a steady hand as commander in chief and president of the United States. I will unite this country around common purposes because I did it as governor of the state of Florida. When I was governor, we had eight hurricanes and four tropical storms in 16 months. Our state was on its back. We recovered far faster than what people thought because we led. We want to challenge rather than cutting and running. That's what we need in Washington, D.C. We need someone with a servant's heart that has a backbone, that isn't going to focus on polls and focus groups. The focus will be on the American people to keep them safe and secure. I ask for your vote next Saturday.",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
519,AUDIENCE,(APPLAUSE),2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
520,Garrett,"Thank you, governor.",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
521,Strassel,"And now, Marco Rubio.",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
522,Rubio,"Thank you, and thank you for watching tonight. This is a difficult time in our country. Our economy's flat, it's not creating the jobs it once did, and people struggle living paycheck to paycheck. Our culture's in trouble. Wrong is considered right and right is considered wrong. All the things that once held our families together are now under constant assault. And around the world, America's reputation is in decline. Our allies don't trust us, our adversaries don't fear us, Iran captures our sailors and parades them before the world on video. These are difficult times, but 2016 can be a turning point. That's why I'm running for president, and that's why I'm here today to ask you for your vote. If you elect me president, we are going to re-embrace free enterprise so that everyone can go as far as their talent and their work will take them. We are going to be a country that says that ""life begins at conception and life is worthy of the protection of our laws."" We're going to be a country that says ""that marriage is between one man and one woman."" We are going to be a country that says, ""The constitution and the rights that it talks about do not come from our president, they come from our creator."" We are going to be loyal to our allies like Israel, not enemies like Iran. And we will rebuild the U.S. military so no one will there test it. Vote for me. I will unify this party. I will grow it. We will win this election, and we will make the 21st century a new American century.",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
523,AUDIENCE,(APPLAUSE),2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
524,Dickerson,"Senator Cruz? Senator Cruz, your closing statement?",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
525,Cruz,"South Carolina, you have a critical choice to make. Our country literally hangs in the balance. Do you want another Washington deal maker who will do business as usual, cut deals with the Democrats, grow government, grow debt and give up our fundamental liberties? Or do you want a conservative, a proven conservative that will stand and fight with you each and every day? Listen, repealing Obamacare is not going to be easy. Passing a simple flat tax that abolishes the I.R.S. is not going to be easy, but if we stand with the American people, we can do it. And today, we saw just how great the stakes are. Two branches of government hang in the balance. Not just the presidency but the Supreme Court. If we get this wrong, if we nominate the wrong candidates, the Second Amendment, life, marriage, religious liberty -- every one of those hangs in the balance. My little girls are here. I don't want to look my daughters in the eyes and say, ""We lost their liberties."" Who do you know will defend the Constitution and Bill of Rights? And as a commander in chief, who do you know will stand up to our enemies as the clam, steady, deliberate, strength to defeat our enemies, to secure our borders and to keep America safe.",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
526,Dickerson,"Mr. Trump, your closing statements?",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
527,Trump,"Thank you. Politicians are all talk, no action. You've seen where they've take you to. We are 19 trillion dollars right now. It's going to be increased with that horrible budget from a month ago that was just approved by politicians. We need a change. We need a very big change. We're going to make our country great again. I say this every night, every day, every afternoon, and it's so true -- we don't win anymore. We don't win with health care, we don't win with ISIS and the military, we don't take care of our vets, we don't care of our borders, we don't win. We are going to start winning again. We are not going to be controlled by people that are special interests and lobbyists that everybody here has contributed to. And you know what, they do exactly what those folks want them to do. We are going to make our country great, and we're going to do the right thing. I'm working for you. I'm not working for anybody else. Thank you very much.",2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
528,Strassel,We'll be back with a few final thoughts in a moment.,2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
529,OTHER,(COMMERCIAL),2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
530,Dickerson,So that's nine Republican debates knocked down and at least three to go.,2/13/16,Republican,"Greenville, South Carolina",http://www.presidency.ucsb.edu/ws/index.php?pid=111500
1,Regan,"Good evening, and welcome to the historic Milwaukee Theater. Tonight, you'll hear from 12 Republican candidates vying to become the next President of the United States. I'm Trish Regan, along with my co-moderators, Sandra Smith, and from the Wall Street Journal, Jerry Seib.",11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
2,Seib,"This evening Fox Business is partnering with the Wall Street Journal to bring you the fourth republican presidential debate of the 2016 campaign. For the next hour, four of the candidates will be here answering the question voters want answered.",11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
3,Regan,"Let's introduce them. New Jersey Governor, Chris Christie.",11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
4,AUDIENCE,(APPLAUSE),11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
5,Regan,"Former Arkansas Governor, Mike Huckabee.",11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
6,AUDIENCE,(APPLAUSE),11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
7,Regan,"Former Pennsylvania Senator, Rick Santorum.",11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
8,AUDIENCE,(APPLAUSE),11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
9,Regan,"And, Louisiana Governor, Bobby Jindal.",11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
10,AUDIENCE,(APPLAUSE),11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
11,Jindal,...Thank you.,11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
12,QUESTION,"Alright, this debate will last one hour. Each candidate will have up to 90 seconds to respond to each question. One minute for each follow up. When your time is up, you're going to hear this bell.",11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
13,OTHER,(BELL),11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
14,QUESTION,"Alright, that's it, so let's begin with Governor Christie. Governor, economically, our country is struggling with some of the anemic growth we have seen on record. More than 90 million Americans are unemployed, or they are not in the workforce altogether. The number of people now willing, able, and wanting to go to work is at a level that has fallen to a level we have not been since the 1970's. For those that are working, wages aren't budging while other things, costs, like housing, remain high. As President, what concrete steps will you take to get America back to work.",11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
15,Christie,"Well, first I want to share a story with you that relates to your question. I was in New Hampshire last week, and a woman approached me after the town hall meeting and she said to me, ""Governor, I'm really concerned."" I said, ""What are your concerns?"" And, she said, ""I don't quite how to describe it,"" she said. ""But, every month when my bills come in, I feel this awful anxiety in the pit of my stomach that I'm not going to have enough to pay them that month."" There are tens of millions of Americans living that way after the worst recovery from an economic recession since World War II. And, let's be clear, if we do not change course, if we follow the President's lead, and that's exactly what Secretary Clinton will do, we're going to be in the same circumstance -- with government picking the winners and losers. So, let me be clear about what we'll do. First, Make the tax code fairer, flatter, and simplier. Get rid of all the special interest deductions. You know, the American people feel like the tax code is rigged for the rich, and you know why they feel that way? Because it is. We'll get rid of all those special interest deductions except for the home mortgage interest deduction, and the charitable contribution deduction. Everyone will get lower rates, keep more of their own money, be able to file their tax returns in 15 minutes, and, by the way, the good thing, I'll be able to fire a whole bunch of IRS agents once we do that.",11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
16,AUDIENCE,(APPLAUSE),11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
17,Christie,"And, in addition, we need to get the government off of our backs. Dodd-Frank, all the different regulations, 81,000 pages of new regulation by this administration just last year -- it is suffocating small business, it is suffocating the folks who are trying to make a living. I will do what I did in New",11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
18,OTHER,(BELL),11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
19,Christie,...lift if off their backs.,11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
20,AUDIENCE,(APPLAUSE),11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
21,QUESTION,"Thank you. Governor Huckabee, we're here Wisconsin, a state that has seen the biggest decline in middle-class households of any American state. With more than 120,000 manufacturing jobs being lost in the last 15 years. As we move away from a manufacturing economy to a services based, technological economy, how are you going to help the millions of Americans that are stuck in this transition?",11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
22,Huckabee,"Well, first of all, Trish, I don't know why we have to move away from manufacturing. The only reason we have is because...",11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
23,AUDIENCE,(APPLAUSE),11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
24,Huckabee,"...we have a tax code that has punished manufacturing. I hear a lot of people talk about the plans to simplify the tax code. I've got one better than any of the simplifications, it's called a, ""Fair Tax"", and it eliminates all of the taxes on our productivity. Here's what would happen. We'd get rid of taxes on people's work, so, we wouldn't punish people for working anymore. Yeah, we've lost five million manufacturing jobs just since the year 2000 -- 160,000 manufacturing plants have close in this country, which means a lot of people -- that the governors talking about, he's exactly right. They don't have jobs anymore. And the reason they don't have jobs is because their jobs are in Mexico, they're in China, they're in Indonesia. Bring the jobs back. And with the fair tax, you do that, because you don't tax capital and labor and you bring a real sense of equity to the opportunity so that people will not only make it easier to function, they'll get the manufacturing jobs back. And here's the best part. We don't reduce the IRS, we get rid of the IRS. We completely eliminate",11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
25,AUDIENCE,(APPLAUSE),11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
26,Huckabee,"...because the government has no business knowing how much money we make and how we made it. It's none of their business. And that's why I believe that manufacturing is critical. If we can't feed ourselves, fuel ourselves and fight for ourselves, we can't be free. And by the way, fighting for ourselves means manufacturing our own weapons of self-defense.",11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
27,Regan,"Thank you, Governor Huckabee.",11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
28,AUDIENCE,(APPLAUSE),11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
29,Seib,"Senator Santorum, you're all obviously highly critical of President Obama's economic record. But federal statistics show that payrolls have expanded by 8.7 million new jobs so far during his time in office. All the jobs lost in the recession were recovered by last year. And in October, the economy added jobs at the fastest rate since 2009. So what's wrong with the Obama jobs record?",11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
30,Santorum,"The middle of America is hollowing out. All you have to do is listen to the last Democratic debate and you would think there was a Republican president in office the way they complained about how bad things are in America and how the middle -- the middle of America is hollowing out. I agree with Mike Huckabee. I spent this morning in Chicago at Fabtech, which is a sheet manufac -- a sheet metal fabricators conference. Thousands of people there explained the latest and newest technologies. You know what I was told? I was told when I went to booth after booth that there are 250,000 welder jobs open in America -- 250,000 welder jobs paying anywhere from $50,000 to $70,000 a year, and if you want to weld pipe on a, you know, for oil and gas pipelines, you can make $100,000 a year. Every manufacturer -- I go to one every single week. In fact, I have with me in the -- in the crowd here today a gentleman who is a supporter of mine from Rockwall, Texas, Ed Grand-Lienard. He runs Special Products. And he tells me he has jobs open in every skill that he -- he -- he could possibly hire for in Rockwall, Texas, but he can't find people. So the issue is, yes, we need a tax code. I -- I propose a 20 percent flat tax -- 20 percent on corporations, 20 percent on -- on individuals, full expensing, which will be powerful for manufacturing, a 0 percent rate, initially, for manufacturers. We're going to have a very powerful tax code. We're going to do something about regulation. We're going to suspected every single ObamaCare regu -- Obama regulation that cost over $100,000 to the economy. But we have to start doing something about training and employing people who are sitting on the sidelines because they don't see a path. And we have a -- a bureaucracy in Washington and a president in Washington -- and even among Republicans who think everybody has to go to college. People need to go to work and we need to",11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
31,OTHER,(BELL),11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
32,Santorum,...opportunities for them to go to work out of high school.,11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
33,AUDIENCE,(APPLAUSE),11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
34,Regan,"All right, Governor Jindal, you have pushed Louisiana's energy resources as a means to grow jobs in your state. But as oil prices have plunged in recent months, so has jobs growth. Louisiana now has an unemployment rate above the national average. Will your energy-focused jobs plan for the country be subject to the same market ups and downs?",11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
35,Jindal,"A couple of things. In Louisiana, we're actually a top 10 state for job growth. As we sit here today, we have more people working in Louisiana than ever before, earning a higher income than ever before. We've had 60 months in a row of consecutive job growth in our state. So the reality is, we have diversified our economy. Yes, I've got an interview plan that says all of the above, that creates good manufacturing jobs in America. We've also got one of the fastest growing IT sectors by percentage. We are growing Louisiana's economy. But let me get to the point that is, I think, the most important issue here tonight. You're going to have several hours of debate on the economy and we're going to have a great discussion about energy plans and tax rates. And that's all great. The most important thing we have to do, we have a fundamental choice to make, folks. Are we willing to cut the government economy so we can grow the American economy? That is the most fundamental question we've got to answer. We are on the path to socialism right now.",11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
36,AUDIENCE,(APPLAUSE),11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
37,Jindal,"These are mutually exclusive. The hour is late, but it is not too late for America. Though under President Obama, you asked about his economy. We've got record dependents, a record number of Americans on food stamps, record low participation rate in the work force. This is a fundamental choice. Sending a big government Republican to DC is not enough to fix this problem. It's not enough just to beat Hillary Clinton. We've got to change the direction of our country. What that means is let's shrink the government, not slow its growth rate, but actually shrink the government so we can grow the American economy. That is the fundamental issue we should be debating here tonight.",11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
38,Regan,"All right, Governor Jindal, thank you.",11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
39,AUDIENCE,(APPLAUSE),11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
40,Regan,"Governor Christie, you have said that the Democrats' message is one of, quote, ""free stuff."" In contrast, Republicans want to reduce spending. How do you win a national election when the Democrats are offering free health care, a free or subsidized college education, and you're the party that is seemingly offering nothing in the way of immediate tangible benefits?",11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
41,Christie,"Yes, sure.",11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
42,AUDIENCE,(LAUGHTER),11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
43,Christie,"If anybody believes the stuff they heard from that Democratic debate a few weeks ago, there's nothing for free. What they forgot to tell was that they're going to raise your tax rates to 70 or 80 percent in order to provide all of that stuff. But let me ask the folks at home one very simple question, do you want to give Washington more control over your life? Do you think they're doing such a great job that now let's have them control what our corporations pay their employees? Let's have them control every aspect of our economy? Is Washington doing that good a job for you right now? And the fact is that if you listen to Hillary Clinton, she has made it very clear, she believes that she can make decisions for you better than you can make them for yourself. She believes that Washington, D.C., should pick the winners and losers in our economy, and in our life. And here's what I believe as a Republican, I believe the greatness of America is not in its government. The greatness of America is in the American people. And what we need to do is get the government the hell out of the way and let the American people win once again.",11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
44,AUDIENCE,(APPLAUSE),11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
45,Regan,"Senator Santorum, a single mom with no job and two kids in New Hampshire, home of the first in the nation primary, is eligible for more than $30,000 a year in benefits. Even if she could find a job, she would need to find child care. And in many cases may conclude it's better for her to live off government benefits. Senator, how do you help and incentivize her to go to work? And if you're the one that's going to cut her benefits, why should she vote for you?",11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
46,Santorum,"Well, the answer is first that we need to do something about a tax code that doesn't penalize. One thing that I'm excited about our tax code, proposed changes, is it's very pro-family. You have a $2,700 tax credit, period, for every person in that family, so that family, you know, would have about an $8,000 tax credit, which would be refundable. So every dollar she works, she's still only losing 20 cents. The problem with the tax code today, because of all the different provisions, you're right, you go back to work, you lose welfare benefits, you're losing money. Throw on top of that the -- even a bigger problem, over 50 percent of children being raised in a home today of a single mom are raised in a home where the father is born -- father is living at the child -- the time the child is born. Now what does that mean? That means we have incentivized people not to marry. We've incentivized people to cohabitate instead of not marry, why? Because mom will lose welfare benefits if she marries father. It's not just mom going back to work, but it's mother and father marrying to form a more stable family for that child to be raised in a two-parent family. So we've got all sorts of really corrupt incentives that were put in place, well meaning by the left. But we need to remove those. We need to remove those incentives. We need to adopt a tax code that says we're going to be pro-family and pro-work. And that's what we'll do.",11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
47,AUDIENCE,(APPLAUSE),11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
48,QUESTION,"Thank you, Senator. Governor Huckabee, you have characterized entitlement reform as both political and economic suicide. Taxpayers currently spend more than $600 billion per year on social welfare programs, with the intended goal of getting people back on their feet and working again. Today a record number of Americans aren't even looking for work. Are our social welfare programs, while well-intended, creating a culture of dependency? If so, how will you fix it?",11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
49,Huckabee,"Well, Sandra, first of all, let me mention the fact that I think there's a big difference between welfare programs and what some people call entitlements. Namely, Social Security and Medicare. I just want to remind everybody out there who has ever had a paycheck, the government didn't ask you if you wanted them to take money out of your check for Social Security and Medicare. They did that involuntarily. Those are not entitlements and that's not welfare. That's an earned benefit. And by gosh, you paid for it. And if the government screwed it up, you shouldn't have to pay the penalty because of an incompetent government. That's different than the social programs that we've spent $2 trillion on since the War on Poverty began exactly 50 years ago this year. Now the reason we still have so much poverty is because it was never designed to get people out of poverty. It was designed to make sure that there was an industry of poverty, so that the people in the poverty industry would have a lot of jobs. But the people who are poor haven't been benefited. Having grown up poor, I know a little something about it. Nobody who is poor wants to be. That's a nonsense statement and I hear it all the time. Well, poor people ought to work harder. They're working as hard as they can, for gosh sake. But the problem is the system keeps pushing them down because, if they work, then they get punished. They lose all the benefits. When we did welfare reform in the '90s, you know what we did? We said you're not going to lose everything at once. There's not an arbitrary threshold. So as you move up the ladder from work and training, you'll actually always be better off than you were before. That's the American way.",11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
50,QUESTION,"Thank you, Governor.",11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
51,Seib,"Governor Jindal, Republicans have now 32 of the nation's 50 governor seats. But, even while you're doing very well at the state level, you keep falling short nationally. You've lost the popular vote in five of the last six presidential elections. Are Democrats simply putting forward a better national economic message than the one Republicans are offering? And what should Republicans do about it.",11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
52,Jindal,"No, I think right now there's not much difference between the two parties. The reason we keep losing nationally is we try to be cheaper versions of the Democratic party. What if the Republicans, what if Republicans actually embraced our own principles? So I earlier said if you want bigger paychecks, you want more jobs, you want less government dependence, you're going to have to cut government spending. Here's the dirty little secret. You're going to hear a lot of Republicans tonight in this debate and the next one talk about cutting government spending. It's going to sound great. There's only one of us that's actually cut government spending. Not two, there's one, and you're looking at him. We've got four senators running. They've never cut anything in D.C. They give these long speeches called filibusters, they pat themselves on the back, nothing changes. When they go to relieve themselves their cause and the toilet get flushed at the same time, and the American people lose. We've got a bunch of governors running, we've got seven current former governors running. I'm the only one that has cut government spending. Everybody else can talk about it. If they haven't done it in their state capitals, what makes them thank that -- what makes us think they'll do it if we send them to D.C. Look, when politicians talk, we need to look at what they have done, not what they have said. Otherwise, it's a bunch of hot air. We've cut our budget 26 percent. Record number of Louisianans working. If Republicans want to win national elections, let's be conservatives, let's be Republicans, let's not be a second version of the liberal party, let's cut government spending and grow the American economy.",11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
53,QUESTION,"Do you have something to add, Governor?",11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
54,Huckabee,"Well, I'd just like to respond, with all due respect to, to the Governor, to the state just south of me, I would say that a lot of us have cut things. And during the recession of 2001 to 2003, when 91 percent of our state budget was basically three things, educate, medicate and incarcerate, we ended up cutting 11 percent out of the state budget through that recession so we didn't have to go in and raise a bunch of taxes, and there were people who thought we should. So it's just not accurate to say that nobody else up here has ever cut. I believe every governor has probably had to make tough decisions. I'm, I'm guessing my colleague Governor Christie has, as I'm tossing him the ball like Arkansas did to Ol' Miss the other day.",11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
55,UNKNOWN,"Why don't, why don't we...",11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
56,Jindal,"Wait, wait, wait. I want to respond. He has criticized something I said. I want to respond to that. Mike, with all due respect, I admire your social views, I share many of those views, your record as Governor tells a different story. Was -- your time as Governor spending in Arkansas went up 65 percent, number of state workers went up 20 percent, the taxes for the average citizen went up 47 percent. That's not a record of cutting. I'm saying we've actually cut. We reduced the size of our budget. So wanting to cut is one thing, actually cutting is a different thing. Facts don't lie.",11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
57,QUESTION,"All right. Let's, let's bring Governor Christie in next.",11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
58,Huckabee,"Sandra, before we get too far away, he specifically brought out some things about the record that I need to correct.",11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
59,QUESTION,"All right. Well, let's get the -- let's keep the conversation going. Let's bring Governor Christie in here because we're talking about national debt, climbing toward $19 trillion, Governor. Our federal government employed nearly three million workers, our tax code is more than 74,000 pages long. If you're elected President, Governor Christie, what concrete steps would you take to reduce the size of the federal government?",11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
60,Christie,"First off, let me, let me just say this in response to this back and forth. For the people who are out there right now, I want to guarantee you one thing real clearly. If you think that Mike Huckabee won't be the kind of President who will cut back spending, or Chris Christie, or John Kasich, wait 'til you see what Hillary Clinton will do to this country and how she will drown us in debt. She is the real adversary tonight and we'd better stay focused as Republicans on her. Now I've forward, I put forward an entitlement reform plan. We spend 71 cents of every dollar in America on entitlements and debt service, and if -- you know, Willy Sutton used to say, when they asked him why he robbed banks, he said that's 'cause that's where the money is, OK? And where the money is in the federal government are these entitlement programs and debt service. What I've said is we need to get a hold of that. We cannot continue to go down the $19 trillion in debt. So our plan will save over $1 trillion over the next 10 years and make sure that Social Security and Medicare are there for those who truly need it and also make sure that we have money to be able to reduce taxes and spend on the things we need to spend. I will also, on my first day as -- as president, sign a executive order that says no more regulation for the next 120 days by any government agency or department. We are drowning in regulations. Stop and then we'll go out there and we'll cut and reduce regulation that small business owners across this country want us to do. You'll grow the economy then. More money will come into the system and we'll get more closer to balance. But the bottom line is, believe me, Hillary Clinton's coming for your wallet, everybody. Don't worry about Huckabee or Jindal, worry about her.",11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
61,AUDIENCE,(APPLAUSE),11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
62,Regan,"Governor Christie, thank you.",11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
63,AUDIENCE,(APPLAUSE),11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
64,Regan,"All right, we are just getting started. Medicare, Social Security and the future of ObamaCare -- that is all straight ahead, live from Milwaukee and the Republican presidential debate.",11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
65,OTHER,(COMMERCIAL),11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
66,AUDIENCE,(APPLAUSE),11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
67,Regan,"Welcome back to the Milwaukee Theater, and the Republican Presidential Debate. On to the next round of questions, Gerry has the next question.",11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
68,Seib,"Senator Santorum, we're in the Upper-Midwest, heart of the American auto industry. The Auto Alliance says the state of Wisconsin, where we are tonight, is home to 176 auto supplier companies. Back in 2008, you opposed the use of federal bailout funds for automakers as proposed then by the Bush administration. The automakers survived. In retrospect, do you still think that was the right position.",11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
69,Santorum,"Absolutely. I'm a capitalist, not a corporatist. I'm not someone who believes we should be bailing out corporations whether their auto industries, or banks.",11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
70,AUDIENCE,(APPLAUSE),11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
71,Santorum,"And, it is simply a matter that there's auto industry -- the auto industry would have survived, it would have survived through a bankruptcy process of -- instead of Washington picking a winner and a loser. And, in this case, the losers are the bondholders, and the winners were the unions. That's fine. They did it, the unions -- the unions survived. We -- we have not survived in continuing to grow manufacturing jobs. We have a -- we have a president, and an economy right now, that is killing -- choking our ability to be able to compete. I'm one of the few people up here who actually believes that we need a level playing field when it comes to manufacturing. That means a good tax code, a good regulatory environment, low energy prices, better opportunities for workers to get training, and, also, I'm -- a supporter of the EXIM bank. Everybody else on this stage, everybody else, I think, in the entire field, is opposed to it. Why can you -- how can you come out and say I'm for manufacturing when a majority of republican congressmen and senators supported the EXIM bank because it means jobs for American workers here in America. The fact is that we've seen already G.E. lose jobs here in America, and just move those jobs to France and Hungary. We have a right as a country to compete with other countries that have export financing. Every major manufacturer, 60 countries, competes against America, wants to take our jobs, and we have every Republican candidate -- you want to talk about communicating to workers here in Wisconsin?",11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
72,OTHER,(BELL),11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
73,Santorum,Ask them why we're tying one hand behind our back and saying go out and compete.,11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
74,AUDIENCE,(APPLAUSE),11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
75,Seib,"Thank you, Senator Santorum.",11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
76,Regan,"Governor Huckabee, you differ from many of your GOP opponents on the stage tonight over accepting Syrian refugees into this country. You have said, ""We don't have an obligation to just open our doors."" As the Islamic state continues to expand, slaughtering and crucifying Christians, including women and children, refugees continue to flee their land by the thousands. Should America open its doors to accept any refugees in this country? If so, how many?",11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
77,Huckabee,"Sandra, I've been concerned that this administration has not done anything to help stop the slaughter of Christians. We didn't help the Kurds, we said we would. But, the idea that we're just going to open our doors, and we have no idea who these people are -- what we do know is that only one out of five of the so called, ""Syrian Refugees"", who went into Europe were actually Syrian. Many of them, we had no idea who they were. They weren't Syrian. Are we going to open the doors so that the ISIS people will come on in, and we'll give them a place to say, and a good sandwich, and medical benefits? My gosh, we have $19 trillion dollars in debt, we can't even afford to take care of Americans.",11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
78,AUDIENCE,(APPLAUSE),11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
79,Huckabee,...If we're going to do something for the,11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
80,AUDIENCE,(APPLAUSE),11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
81,Huckabee,"...let's find out who they really are, and the ones that are really in danger, let's help build an encampment for them, but closer to where they live, rather than bringing them here when they don't know the language, the culture -- and, frankly, if we've got as many homeless people as we have, I'm not sure this makes any sense. So, let's do it where we can best help them. Send them some food. But, let's ask the Saudi's to step up. I'm really tired of Americans being the only ones asked to do all the heavy lifting when it comes to charity, and, quite frankly, my number one concern right now is taking care of the fact that Americans are taking it in the gut without jobs. Many of them working two and three part time jobs. And, if America wants to do something great, let's get our economy growing again, stabilize the dollar, and we'll be in a much better position to help people around the world.",11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
82,Regan,"Alright, Governor Huckabee, thank you.",11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
83,AUDIENCE,(APPLAUSE),11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
84,QUESTION,"Governor Christie, China is stealing our technology. China is pirating our intellectual property, and China's hacking into our computers, spying on American corporations, and spying on our citizens. China also slaps tariffs on U.S. goods, making it harder for us to sell our products. How are you going to stop them?",11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
85,Christie,"Well, let's start with this, remember why we're in the position we're in with China, because an absolutely weak and feckless foreign policy that was engineered by Hillary Clinton and Barack Obama. That's why we're in the position we're",11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
86,AUDIENCE,(APPLAUSE),11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
87,Christie,...because the,11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
88,AUDIENCE,(APPLAUSE),11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
89,Christie,"...the Chinese don't take us seriously and why should they? Why should they? They hacked into the American government's personnel file and took millions of records in cyberwarfare against this country. I'm one of the victims of that hack. They took my Social Security number, my fingerprints as a former United States attorney that was on file in there. And what has this president done? Not one thing. Let me be really clear about what I would do. If the Chinese commit cyberwarfare against us, they are going to see cyberwarfare like they have never seen before. And that is a closed society in",11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
90,AUDIENCE,(APPLAUSE),11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
91,Christie,"...where they're hiding information from their own people. The information we take, we'll make sure all the Chinese people see it. Then they'll have some real fun in Beijing when we start showing them how they're spending their money in China.",11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
92,AUDIENCE,(APPLAUSE),11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
93,Christie,"And one last thing. One last thing. I will tell you this, they're building those artificial islands in the South China Sea and the president won't -- up until recently, wouldn't sail a ship within 12 miles or fly a plane over it. I'll tell you this, the first thing I'll do with the Chinese is I'll throw -- I'll fly Air Force One over those islands. They'll know we mean business.",11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
94,AUDIENCE,(APPLAUSE),11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
95,Seib,"Governor Jindal, there's a new trade deal the Obama administration has completed with 11 other Pacific nations. The U.S. Trade Representative's office says that deal will cut 18,000 different tariffs on American goods sent to the Pacific and will cut tariffs on goods made in your state of Louisiana by as much as 40 percent. Even a skeptical about -- a skeptic about this deal, now that the details are public, are you going to be for it?",11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
96,Jindal,"I was absolutely a skeptic of giving this president more power. He negotiated a bad deal with Iran. He breaks the law routinely. I don't know why Congress would want to concede more authority to him. Look, this trade deal is 6,000 pages long. Unlike ObamaCare, I think we should read it before we decide whether we would vote for it or not vote for it.",11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
97,AUDIENCE,(APPLAUSE),11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
98,Jindal,"I am for trade deals, but I want to make sure they are fair trade deals. I want to come back to something that Chris had said earlier. Look, I absolutely agree we've got to beat Hillary Clinton. But just sending any Republican is not good enough. We've had a Republican majority in the Senate and the House. What has changed? If we send another big government Republican to the White House, we will not do enough to fix what is wrong in this country. Chris, I think records matter. I think the way we govern matter. Under your leadership in New Jersey, your budget has gone up 15 percent. It's gone down 26 percent in Louisiana. It has gone up $5 million in New Jersey. It's gone down $9 billion in Louisiana. In New Jersey, you've had nine credit downgrades, setting a record. We've had eight credit upgrades in Louisiana. My point is this. If politicians say they're going to be conservative, they say they're going to cut spending but they don't do it, why should we send them to DC? It gets harder, not easier, when we send them to DC. Let's not be a second liberal party. Let's actually cut government spending. Let's grow the American economy. Let's not just beat Hillary, let's elect a conservative to the White House, not just any Republican.",11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
99,Seib,Governor Christie?,11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
100,AUDIENCE,(APPLAUSE),11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
101,Christie,"I'll tell you, Gerry, it's interesting, if you go to New Jersey, they'll call me lots of different things. A liberal is not one of them. Um,",11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
102,AUDIENCE,(LAUGHTER),11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
103,Christie,"...I would say this. I have great respect for Bobby's record in Louisiana. I think he's been a wonderful governor and I think he's provided outstanding leadership for that state and I respect him for what he's done. And I think that all of us deserve that same level of respect. And my point is this. You know, the differences between me and Bobby Jindal, we can talk about those, and obviously, Bobby wants to spent a lot of time tonight talking about that. I'll tell you what I want to talk about. I want to talk about what's going to happen to this country if we have another four years of Barack Obama's policies. And by the way, it will be even worse, because Hillary Clinton is running so far to the left to treaty to catch up to her socialist opponent, Bernie Sanders, it's hard to even see her anymore. The fact is -- the fact is that we'd better be focused on it. And I'll tell you what I'll bring to the table, the fact that I've won in a blue state, that I've won in a state that has 750,000 more Democrats than",11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
104,AUDIENCE,(APPLAUSE),11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
105,Christie,...that I won in a state for reelection after governing as a pro-life,11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
106,OTHER,(BELL),11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
107,Christie,...and got 61 percent of the vote. That's the person you want on the stage prosecuting the case against Hillary Clinton.,11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
108,AUDIENCE,(APPLAUSE),11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
109,Jindal,"But wait a minute, records matter.",11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
110,AUDIENCE,(APPLAUSE),11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
111,Jindal,"Records -- records matter. Yes, we've got to...",11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
112,Christie,I don't...,11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
113,Jindal,"-- beat Hillary Clinton. But Chris, it's also true that you expanded food stamps at a time that we've got record numbers of Americans on food stamps. It's also true you caved into ObamaCare. You expanded Medicaid. We've got a choice in front of us. This is an important debate. This is not about comparing Louisiana to New Jersey or Bobby to Chris. This is an important debate for the American people. This is supposed to be an economics debate. Let's have a debate. Do we want to grow government or do we want to grow the American economy? Do we want to grow dependence on government, or do we want to grow good paying jobs in the private sector...",11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
114,QUESTION,...Alright...,11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
115,Jindal,"...you don't grow the economy by putting more people on food stamps, more people in Medicaid, you grow the economy by cutting government, cutting spending. That's what we've done in Louisiana, you haven't done that in New Jersey...",11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
116,Christie,..Let me...,11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
117,Seib,...Guys...,11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
118,Jindal,"...We need a conservative, not a big government republican in D.C.",11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
119,Seib,Governor Christie...,11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
120,Christie,...Let me just...,11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
121,Seib,"...last word, briefly",11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
122,Christie,...Sure.,11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
123,AUDIENCE,(APPLAUSE),11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
124,Christie,"It's interesting. I complimented Bobby, imagine how much time he'd want if I actually criticized him.",11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
125,AUDIENCE,(LAUGHTER),11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
126,Christie,"You know, the fact is, he's done -- done a nice job down in Louisiana, and I don't have any problem with the job he's done. I've cut spending $2 billion dollars, except for our pension and health care in New Jersey, which was driven predominantly by Obamacare. We have reduce the number of employees we have on the state payroll by 15%, but, you know what? The people out there don't care about any of that. You know what they care about? They care about who's going to be able to beat Hillary",11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
127,OTHER,(BELL),11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
128,Christie,...Who's going to keep their eye on the ball? I'm going to keep my eye on the ball.,11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
129,CANDIDATES,(CROSSTALK),11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
130,Seib,"...Thank you both, Governors.",11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
131,AUDIENCE,(APPLAUSE),11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
132,Regan,"Next question to you, Governor...",11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
133,Jindal,...This is how we....,11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
134,Regan,"...Next question to you, Governor...",11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
135,Jindal,"...This is how we move our country forward, look, this is not about between me and Chris...",11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
136,Huckabee,...I'd like to get that opportunity to go...,11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
137,Jindal,...This is,11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
138,CANDIDATES,(CROSSTALK),11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
139,Jindal,...are we going to be the party...,11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
140,Regan,...let me get,11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
141,CANDIDATES,(CROSSTALK),11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
142,Regan,"...Let me get in here, because the next question, it's to you, and it's on Obamacare. It is still unpopular with the American people. You've seen the polls, they've shown nearly half the country still opposes this law. You have been critical of your GOP opponents, some of them standing on the stage tonight, others later. Notably, Ted Cruz, for not having comprehensive plans. You say you do. What specifically makes your plan to replace Obamacare better than the opponents, some of them standing next to you.",11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
143,Jindal,"Well, look, only one other opponent, actually, one other candidate, actually, has a plan. That's Jeb Bush, and he creates a new entitlement program. My plan actually gets rid of all of Obamacare, it's great that Senator Cruz will shut down the government over Obamacare, but he still hasn't given us his plan to get rid of it. It's great that other republicans talk about getting rid of it. You go to a town hall in Iowa, or New Hampshire, ask them how they're actually going to get rid of it -- my plan has been online for over a year. It gets rid of all of Obamacare, it reduces the cost. It actually puts Americans, their patients, their doctors back in control. And, it actually helps those that really need this help -- but, this is one of the most critical issues we face domestically. I think I -- look, right now, I think I am the only candidate running that refused to expand Medicaid. I'm the only one that turned down -- that did what we could to fight Obamacare. This is an important point, and, look, I appreciate Chris's nice compliments to me. And, Chris, you look to me very well, I love Mary-pat, but this isn't about me and Chris. This is about the country, and this is about what direction -- this is the most important election in our lifetimes. Folks, a couple of years ago they told us give them the republican majorities in the House and the Senate, they'd stop Obamacare, and amnesty, and the bad Iran deal -- nothing changed. If they fooled us once, shame on them. If they fooled us twice, shame on us. Don't let them fool us again. Chris, look, I'll give you your ribbon for participation, and a juicebox, but in the real world, it's about",11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
144,AUDIENCE,(APPLAUSE),11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
145,Jindal,"...but, in the real world it's about results. It's about actually cutting government spending, not just talking about cutting government spending.",11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
146,Regan,"Governor Jindal, thank you.",11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
147,Christie,"Yeah, listen. We stopped Obamacare in New Jersey because we refused to participate in the federal exchange. But, here's the bigger issue. What do you think's going to happen when Hillary Clinton's elected president of the United States? The woman who tried to impose healthcare on this country over 20 years ago? And, she was stopped then by a strong group of republicans, and an American public that said, ""No, thank you."" What she will do -- what she will do is move us towards a single payer system. She will completely nationalize the federal health care system. That's what she wanted to do 20 years ago, and I guarantee you that's what she'll do if you give her the keys to the White House one more time. The fact is we need someone who knows how to beat democrats, who knows how to beat democrats in a democratic area. I've done it twice as governor of New Jersey, and Hillary Clinton doesn't want one minute on that stage with me next September when I'm debating her, and prosecuting her for her vision for America...",11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
148,Santorum,...Let me settle this argument...,11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
149,Seib,"...No, no, Senator Santorum...",11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
150,Santorum,...Well...,11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
151,Seib,"...I have a question for you. Just about everybody agrees that the nation's infrastructure is in bad shape. Urban highway congestion costs the economy more than $100 billion dollars annually, nearly one in four bridges in the National Highway System is structurally deficient, or obsolete. Congress is working on a six year highway bill to try to fix this problem. It only funds it for about three years. Should Americans be asked to pay more in federal gas taxes in order to address this problem?",11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
152,Santorum,"I'll answer that in a second, but, I want to answer this other problem because this is a real legitimate debate between Chris and Bobby, and if somebody says we need someone who can win in a blue state, and Bobby says we need a real principled conservative.",11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
153,AUDIENCE,(APPLAUSE),11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
154,AUDIENCE,(APPLAUSE),11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
155,Santorum,"Ninety-two percent conservative voting record, unlike some of the other senators that Bobby mentioned who hasn't done anything to cut federal spending, I was actually the author of welfare reform, which is the only time we've ever seen a federal entitlement actually cut. We cut it. Senate did exactly what every conservative says they want to do. We took the program, we eliminated the federal entitlement, we blocked to the state, we capped the amount of money, cut it by about 10%, and then put two requirements, work, and time limits. We need to do that with the rest of the -- means tested federal entitlements. I've done it. And I did it with a bipartisan support in the House and Senate, and after fighting two presidential vetoes by Bill Clinton. So I had a democratic president we had to get this through. No record of accomplishment. I agree with the folks who are from the Congress in this race. I have a record of accomplishment of being a conservative on everything. National security, on moral and cultural issues, on the economy, and twice won a blue state. The first time I beat the author of Hillarycare. I had Bill and Hillary in my state, James Carville managed the race against me, a state with a million more Democrats than Republicans. And I ran on health savings accounts, on private sector health care, as a conservative, pro-life, pro-family, and I won. And then in 2000, I was the only senator to win a state as a conservative that George Bush lost. You want someone who can win Wisconsin, Minnesota, Michigan, Pennsylvania, Ohio, with a conservative message, I'm your guy.",11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
156,AUDIENCE,(APPLAUSE),11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
157,Seib,"Senator, I don't think we got to infrastructure, but I understand.",11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
158,AUDIENCE,(LAUGHTER),11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
159,Santorum,I'll be happy to answer that if you give me more time.,11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
160,Seib,"No, no. To do the things you're talking about, that you're all talking about, getting things done in Washington, you have to work with the other side. So a question, who in Congress do you most admire on the Democratic side? I need one name from each of you. And let's start with Governor Jindal.",11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
161,Jindal,We can waste our time. And I think this is why people were so frustrated with the last debate with these kinds of silly questions.,11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
162,AUDIENCE,(APPLAUSE),11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
163,Jindal,"We've only got a certain amount of time to talk about the economy. Let me use my time to say this. I want to fire everybody in D.C. in both parties. I think they all -- we need term limits, get rid of them all, make them live under the same rules they passed on the rest of us.",11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
164,AUDIENCE,(APPLAUSE),11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
165,Seib,Governor Huckabee?,11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
166,Huckabee,"Well, since we're not going to answer the question, let me just remind everybody, tomorrow is Veterans Day. And here's what I would like to remind everybody. The VA has been a disaster in large part because the people in Congress have never bothered to fix it, and this president has certainly not...",11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
167,Regan,We'll get to that.,11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
168,Huckabee,"Let me finish, please. I'm going to ask you just this, what would happen if the Congress and the president had to get their health care from the VA? We would fix the problem and we would fix Congress.",11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
169,AUDIENCE,(APPLAUSE),11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
170,Seib,Governor Christie?,11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
171,Christie,I'll continue in the pattern and just,11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
172,AUDIENCE,(LAUGHTER),11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
173,Christie,"And just say this to everybody, since it seems to be an open question.",11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
174,AUDIENCE,(LAUGHTER),11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
175,Christie,"I'll tell you the thing that disturbs me the most about what's going on with the Democratic Party in Washington, that they're not standing behind our police officers across this country.",11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
176,AUDIENCE,(APPLAUSE),11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
177,Christie,That they're allowing,11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
178,AUDIENCE,(APPLAUSE),11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
179,Christie,"That they're allowing lawlessness to reign in this country. I spent seven years of my life in law enforcement, here's what every law enforcement, 700,000, should know tonight. When President Christie is in the Oval Office, I'll have your back.",11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
180,AUDIENCE,(APPLAUSE),11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
181,Seib,Senator Santorum?,11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
182,Santorum,"I'm going to answer two questions for the price of one. The infrastructure question, the answer",11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
183,AUDIENCE,(LAUGHTER),11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
184,Santorum,"We need to get the federal government out of this infrastructure business, other than vital economic highways. It has been said that if we cut the gas tax to 3 to 5 cents and send the rest back to the states, and just take care of the federal infrastructure that's vital for our economy, let the -- we don't need the federal government and the road business that it is today. Number one. Number two, you know who I respect in the Democratic Party? You know why I respect them? Because they fight! Because they're not willing to back down, and they're willing to stand up and fight and win. And so I respect them because they are willing to take it to us.",11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
185,Seib,"Thank you, Senator Santorum.",11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
186,AUDIENCE,(APPLAUSE),11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
187,Regan,"Ronald Reagan did work with Tip O'Neill. Anyway, we are going to take a quick break. Coming up, one of the top issues for voters, how much you're paying in taxes. We are live from Milwaukee with the Republican presidential debate. See you right back here.",11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
188,OTHER,(COMMERCIAL),11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
189,Regan,"Welcome back to the Republican presidential debate. We are live from Milwaukee. A top issue on the campaign trail, taxes and how much you pay. All right, I've got a question for all of you here. When looking at the federal income tax, state income tax and local tax, in some cases, combined, some Americans are paying over 50 percent of their paycheck to the government. What is the highest percentage, all in, in the way of taxes, that any American should have to pay and what is the lowest? I'd like to, again, to hear from each of you. And I want those two all in numbers. I'm going to start with you, Senator Santorum.",11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
190,Santorum,"Well, I'll tell you, I have a 20 percent flat tax. That's one all income -- so capital gains, corporations, individuals, 20 percent. I think that's a fair number, one out of five, to be able to -- to help support the federal government. By the way it also approximates, if you take out some of the deductions, it approximates how much the federal government is, on average, spent of GDP, which is about 18 to 19 percent of GDP. So it actually fits with shrinking the size of government down to more like post-World War II levels. So the second thing we do is I don't allow for deductibility of state and local taxes, which will require state and local taxes to go down in order to be treated for their -- for their people to be treated fairly. So the answer is, 20 percent and probably 33 percent overall.",11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
191,Regan,"All in. OK, Governor Christie?",11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
192,Christie,"Yes. You know, our tax plan puts forward a highest rate of 28 percent for those who are doing the most and making the most in this country and 8 percent on the low end. And I agree with Senator Santorum, we get rid of all of the deductions and loopholes, except for the home mortgage interest deduction and the charitable contribution deduction. That means getting rid of the state and local income tax deduction, as well, because that will put more pressure on governors and on local officials not to keep raising those taxes, saying we can deduct them. And so ours will be 28 on the high end, 8 on the low end. And I will tell you one other thing. Americans for Tax Reform came out with a report six weeks ago and said I vetoed more tax increases than any governor in American history. I will do exactly the same thing as president of the United States.",11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
193,AUDIENCE,(APPLAUSE),11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
194,Regan,And we'll get back to you. Governor Jindal?,11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
195,Jindal,"So under our tax plan, look, the top rate is 25 percent, 10 percent, 2 percent. That 2 percent is the most important. I think everybody should pay something. I think everybody should have skin in the game. We shouldn't be creating one group of Americans that's dependent on government, another group that's paying taxes. I want to come back to an earlier point though, that Chris said. Look, we all agree Hillary Clinton is bad. We all agree we need to beat her. But let's not pretend that out-of-control government spending is only a Democratic issue. This is a bipartisan issue, and just sending another big government Republican to D.C. is not good enough. We need to actually cut government spending. We need to cut -- and we're not going to do it just by sending any Republican. I'm glad he's vetoed taxes. The Tax Foundation graded New Jersey the 50th worst business climate due to taxes, high taxes in the state of New Jersey.",11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
196,QUESTION,Governor Huckabee.,11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
197,Huckabee,"Well, thank you very much. I still want to go back to the fact that if we got rid of all the taxes on our work, got rid of the taxes on our savings, investments, capital gains, and inheritance, and made a zero tax, we'd pay at the point of consumption. Because why should we punish people for their productivity? And the fair tax doesn't punish people for doing well and building the economy. There's $31 trillion parked offshore. What happens if that money comes back to America? You'd think it'd goose the economy? I guarantee you it would. And that's why the fair tax is the best solution we have for economic growth in this country.",11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
198,AUDIENCE,(APPLAUSE),11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
199,Regan,"Governor Huckabee, Americans, under your plan, would pay a tax on every single thing that they purchase. Given that consumer spending accounts for two-thirds of GDP, some economists worry that your tax plan would actually discourage spending, thereby slowing our economy. How do you respond?",11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
200,Huckabee,"Well, first of all, do you know an American that will just stop spending? I don't.",11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
201,AUDIENCE,(LAUGHTER),11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
202,Huckabee,"No, that's not going to be the problem. Look, Americans will go to the marketplace with more money they've ever had. For the first time they'll be having their whole paycheck. You see, most people don't understand that when you buy something that is made in America, 22 percent of the cost of it is the embedded tax they never even know they paid. It's why China has beaten the daylights out of us, they can build stuff that we can't because they're not taxing it, when they don't tax capital and labor and we do. They bring something over here, it's automatically cheaper even without the regulatory environment because they're not embedding the taxes, we are. Take the embedded taxes out. Give a person his whole paycheck because every American would no longer have a payroll tax taken out. It means they'd see their real paycheck for the first time. When they go to spend that money, they'll actually have it. And they only pay taxes on the stuff that's new. So a lot of Americans will buy used stuff. Look, here's the point, Americans are not going to quit shopping. Americans are not going to quit buying. But it would be nice if Americans could control how much they paid in tax, rather than having the government reach into their pockets and take it out before they ever had a chance to even see it, much less spend it.",11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
203,AUDIENCE,(APPLAUSE),11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
204,Huckabee,And that's why the fair tax makes a heck of a lot more sense than punishing productivity and rewarding irresponsibility.,11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
205,Regan,"Thank you, Governor Huckabee.",11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
206,Seib,"Governor Jindal, you've proposed something different. You've proposed eliminating the federal corporate income tax entirely. Why would have you wage-earners and investors pay an income tax but not a corporation?",11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
207,Jindal,"Well, a couple of reasons. Look, we know big companies don't pay those taxes today. They hire lobbyists and accountants and lawyers. It's the small businesses that get hit. I want to get rid of the corporate tax, I want to bring the jobs and investment back to America. Make the CEOs pay the same rates as everybody else. Get rid of all the corporate welfare as well. Like I said, make everybody pay something, earned success is so much better than unearned success. And let's actually shrink the size of government. My plan purposely does that. Look, we can talk all night about tax plans, energy plans, I think you will find a lot of agreement among all the Republicans. We all want to get rid of the death tax, the marriage penalty. We all want lower, fewer brackets. We want to downsize, take away power from the IRS. What we really need to be talking about is this, these last seven years, we've had more government spending, more government dependence. Poverty has gone up. Inequality has gone up. Only the top 10 percent have seen their incomes go up -- their median incomes go up. We actually have more inequality thanks to what we have seen, the largest most expensive experiment in progressive government. We can't keep spending money we don't have. And the reality is, the last couple of years it hasn't mattered whether Republicans or Democrats were in control. We keep stealing from our children. That is immoral. It is wrong. And we're creating more government dependence. If we really want to grow the economy, yes, you need a rational energy plan, and you've got to rein in the EPA, and you've got to repeal Obamacare, and you've got to cut taxes. But none of that will be enough if we're not serious about cutting government spending. We cannot afford to elect a big- government Republican. We need somebody. This is the most important election. Hillary Clinton is gift-wrapping this election to us. Let's not waste this opportunity to apply conservative principles and cut the size of government.",11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
208,AUDIENCE,(APPLAUSE),11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
209,QUESTION,"All right. Governor Jindal, thank you. All right. Well, we are not finished yet. More from the Republican presidential debate in Milwaukee, next.",11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
210,OTHER,(COMMERCIAL),11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
211,Seib,"Welcome back to the Republican Presidential Debate live from Milwaukee's historic theater. Let's get back to the questions. Governor Christie, by keeping interest rates so low for so long, is the Fed creating a new financial bubble in real estate or stock as prices that will burst and create problems down the road, or has it been right to err on the side of trying to help the recovery through low rates?",11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
212,Christie,"Gerry, this has been the most political Federal Reserve I've seen in my lifetime. Now, when they first cut interest rates during the economic recession and the crisis, that was the right thing to do. But they've kept those interest rates artificially low for one reason, and one reason only. Because they're trying to politically support Barack Obama and his agenda. And it's been wrong. And what it's done, in an administration where the President has talked about income inequality, he's had more income inequality in this administration than any previous administration. The middle class is doing worse than it's ever done before. And the investor class, the wealthy, are doing even better because of this cheap money from the Fed. And here's the worst part, we had one and a half percent GDP growth last quarter. If we slide back towards a recession, you cannot lower interest rates below zero. Where are we going to go if we need help if the economy slides back into recession? And with this government- controlled economy that Barack Obama, we're moving right towards it. The Fed should be audited and the Fed should stop playing politics with our money supply. That's what they've done. It's been the wrong thing to do. It's hurting the American economy.",11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
213,AUDIENCE,(APPLAUSE),11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
214,Christie,...let,11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
215,AUDIENCE,(APPLAUSE),11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
216,Christie,"...let me add one other thing on this. Be very aware now, because what Hillary Clinton is talking about doing, if she's president of the United States, is to make sure that the government gets even more involved in the economy, even more involved in making choices for everybody. You do not want that to happen. You need someone who's going to stand up on that stage and prosecute the case against her and prosecute it strong.",11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
217,OTHER,(BELL),11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
218,Christie,That's what I'll do.,11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
219,AUDIENCE,(APPLAUSE),11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
220,Regan,"Senator Santorum, you agree with Governor Christie. You also have said that the Fed should be audited. But many worry that given the Congressional challenges that they face, by having Congressional oversight of the Fed, which has been historically an independent body, you would be making the Fed much more political. How would you navigate that risk?",11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
221,Santorum,"Well, I don't -- I agree with Governor Christie, I don't think you can make it any more political than it's been. They -- they are protecting a president that is over-taxing and over- regulating, shutting down this economy. And he -- and they're keeping it up like Atlas, trying to hold up the Earth by -- by these ridiculously low interest rates. And it's hurting American seniors, who are seeing no Social Security increases, seeing no -- no savings. They're -- they're putting their money aside. They're getting nothing in their deposit accounts. This is hurting the people who have acted responsibly, all in favor of those who, um, you know, are -- are speculators and -- and those on Wall Street. It's not a good deal for -- for the vast majority of responsible Americans. The other thing we have with the Fed is they've been given way too much authority. Under Dodd-Frank, they've been given this enormous new authority. I mean they -- they now have almost become the most powerful entity in Washington, DC. We need to repeal Dodd-Frank, get away that authority from the Fed and put them under more -- more scrutiny. That's only part of the problem. I understand the Fed is interesting for a business channel, but I think for most Americans, the most important business is the family. And we haven't really talked much about the importance of the family to the economy. And -- and ladies and gentlemen, every single book, from left to right, that's been written over the last couple of years has said the biggest problem in America today at the hollowing out of the middle of America is the breakdown of the nuclear family in America. We'd better be the party that's out there talking about this issue and what we're going to do to help strengthen marriage and return dads into homes in all communities.",11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
222,AUDIENCE,(APPLAUSE),11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
223,Santorum,"You want to talk about the communities that are hurting the most, the ones you see the protests",11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
224,OTHER,(BELL),11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
225,Santorum,...there are no dads. And we need to do something about it.,11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
226,AUDIENCE,(APPLAUSE),11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
227,Regan,"Thank you, Senator.",11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
228,AUDIENCE,(APPLAUSE),11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
229,Regan,"Governor Huckabee, both Senator Santorum and Governor Christie were boat -- both critical of the Federal Reserve. Also, many have questioned whether Janet Yellen is the right person to be running the Fed. If elected president, would you keep Janet Yellen?",11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
230,Huckabee,"Well, my wife's name is Janet and when you say Janet Yelling, I'm very familiar with what you mean.",11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
231,AUDIENCE,(LAUGHTER),11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
232,Huckabee,"But, look, I think the Fed is in a big trouble because they haven't addressed the number one issue that's hurting Americans and that's the fact that wages for the bottom 90 percent of the economy have been stagnant for 40 years. In the 25 years after World War II, up to 1971, wages grew by 85 percent in this country. People were -- were moving up in the middle class. There was a middle class. That's not happening any more, and in large measure, the Fed has manipulated the dollar so it doesn't have a standard. Tie the dollar to something fixed and if it's not going to be gold, make it the commodity basket. But here's what we've got to do. We absolutely have to get it where the people who go out there and work get something in return. And if the dollar keeps fluctuating, and this is as crazy as -- as is the price of bread, well, the fact is, people can't get ahead then.",11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
233,QUESTION,So would you change leadership at the Fed?,11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
234,Huckabee,"Absolutely. Absolutely, because what we need to is to make sure that they tie the monetary standard to something that makes sense, rather than to their own whims, because who's getting gut punched? It ain't the people in Wall Street, it's the folks on Main Street. They're the ones who's wages have been stagnant for 40 years. And the average American today has a total savings of 1,000 bucks. One root canal and they're in trouble. And if their car breaks down the same",11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
235,OTHER,(BELL),11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
236,Huckabee,...they're out of business.,11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
237,Regan,"All right, Governor Huckabee, thank you.",11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
238,AUDIENCE,(APPLAUSE),11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
239,Regan,"All right, Senator Santorum, by the way, today is the 240th...",11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
240,Santorum,Happy Birthday.,11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
241,Regan,#NAME?,11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
242,Santorum,#NAME?,11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
243,Regan,#NAME?,11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
244,AUDIENCE,(APPLAUSE),11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
245,Regan,"Tomorrow is Veterans Day. We honor and recognize all those who have fought for, and served this great nation, Senator. The U.S. Department of Veterans Affairs, meanwhile, which provides patient care, and federal benefits to those veterans, as well as their families, is beset by scandal. What new ideas do you have to fix the broken V.A. healthcare system?",11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
246,Santorum,"That's very personal to me. I grew up on a V.A. grounds. I lived in apartments on V.A. grounds my entire childhood. Both my Mom and Dad, after World War II, marry -- met at a V.A., married, and that's where I lived. Kitchen table discussion was, particularly when I was growing up in the 1960's and 1970's, was the decline of the V.A. When they joined in the early 1950's, the V.A. was the top. They were the best, they were the best and brightest coming in after the war. And, we believed in the cause that we fought, and we invested in our hospitals to make sure that our veterans who left World War II were taken care of. But, after Vietnam, and during Vietnam, that began to change, and it really hasn't recovered since. The bottom line is the V.A. is antiquated. There's no need for a V.A. healthcare system as it existed after World War -- why? Because we have the best private healthcare system in the world, we didn't need -- we needed it in 1950's, hospitals were not particularly advanced, so, we built the best. We didn't maintain the best. Government didn't keep its promises to its veterans. So, what we need to do is two things. Number one, we need to allow veterans to go to private sector hospitals for their routine and ordinary care to get the best care in their community possible.",11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
247,AUDIENCE,(APPLAUSE),11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
248,Santorum,"And, there is a place for the Veterans Administration. There are injuries, and there are -- things like PTSD, or prosthetics that are uniquely problems within the veterans community where we can develop centers of excellence within -- and replace the V.A. with a group",11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
249,OTHER,(BELL),11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
250,Santorum,...centers of excellence that can help our folks to come back...,11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
251,QUESTION,"Senator Santorum, thank you.",11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
252,AUDIENCE,(APPLAUSE),11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
253,QUESTION,"I have a question for all of you. Americans connection to the military has been increasingly fading. As a society, how do we restore that sense of duty, that sense of pride, that was the hallmark of the greatest generation. Again, I'd like to ask each of you, 30 seconds each, beginning with Governor Jindal.",11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
254,Jindal,"Well, a couple things, first, I want to echo what others have said and thank those veterans that run towards danger, not away from it, so we can live in the greatest country in the history of the world. I think every veteran should get that card, and they should be allowed to get that health care wherever they want in the private sector. But, I also think -- or the public sector, I also think we need to fire some of the V.A. bureaucrats. Somebody should go to jail over these scandals, and it is a crime that it has not happened.",11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
255,AUDIENCE,(APPLAUSE),11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
256,Jindal,"When it comes -- when it comes to uniting the American people, one of the things we've done to honor our veterans in Louisiana, we've given thousands -- and I've hand delivered these, to veterans -- medals to veterans to thank them for their service. I'll just give you one quick example, I know my time is out, but, we've had Vietnam war veterans with tears in their eyes saying nobody has ever thanked them before. We've had World War II veterans, children, who said they never heard the stories of their parents heroic sacrifice. Whatever conflict, whenever they served, one of the things we can do is to teach our children we do live in the greatest country in the history of the world. We got a president who doesn't believe in American exceptionalism, but we still do, and it's because of those men and women in uniform. We should thank them everyday, not just veterans day.",11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
257,AUDIENCE,(APPLAUSE),11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
258,QUESTION,Governor Huckabee.,11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
259,Huckabee,"Well, I think thanking our veterans is a wonderful thing to do, but, they sure appreciate a better paycheck. They'd appreciate the fact that we kept our promises to them. The men and women in uniform put on the uniform of our nation, they went halfway around the world, they face dangers on our behalf, and we promised them if they did that, when they came home we'd take care of their medical care, we'd make is possible for their kids to go to college, and they'd be able to bind to a home. They kept their promises to us. We have not kept our promises to them, and today, less than one percent of Americans go to the military for service. We're fighting wars with other people's kids in large measure because we've not taken seriously the moral, not the monetary, the moral obligation to take care of the veterans and to keep America's promise to the ones who kept their promise to America.",11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
260,AUDIENCE,(APPLAUSE),11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
261,QUESTION,Governor Christie.,11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
262,Christie,"The way to reconnect Americans to the men and women in uniform is to first, and foremost, give them a Commander in Chief who respects the military, and respects everyone who wears the uniform.",11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
263,AUDIENCE,(APPLAUSE),11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
264,Christie,Starts at the top,11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
265,AUDIENCE,(APPLAUSE),11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
266,Christie,"And Secretary Clinton says, there's no crisis at the V.A.. That send a long, and hard message to our veterans that she doesn't get it, and she doesn't respect their service. When the President of the United States doesn't back up law enforcement officers in uniform, he loses the moral authority to any man or woman who is uniform. I spent seven years in law",11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
267,OTHER,(BELL),11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
268,Christie,"...I respect these folks, and I will do so as Commander in Chief of the military.",11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
269,QUESTION,Senator Santorum.,11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
270,Santorum,"It should come as no surprise to Chris, or anybody else, that Barack Obama doesn't stand behind our men and women in uniform here at home because he hasn't stood behind them overseas. The rules of engagement that we've allowed our soldiers to go and fight against have put them in harm's way for political purposes. This has been the most politicized wars that we've ever seen under this administration. He gets in, and gets out, based upon what the polls are saying, what pressure he's getting from groups. Talk about a Commander in Chief. We need a commander in chief who has a vision and plan of how we're going to execute the national security of our country. Commander in chief is not an entry level position. Experience matters, and that's why I would ask for your support as a Commander in Chief, because I have the experience against the",11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
271,OTHER,(BELL),11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
272,Santorum,...to confront to do the job.,11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
273,AUDIENCE,(APPLAUSE),11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
274,Seib,"Candidates, it's time for closing statements, 30 seconds. Governor Jindal, we'll start with you.",11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
275,Jindal,"You know, I have spent a lot of time tonight talking about the need to cut the size of government. The reason I'm doing that -- it's not just about balancing the budget, or balancing a bunch of numbers. Because I believe in the American dream. I think President Obama's done a lot of damage to our country. I think that one of the worst things he has done is try to change the idea of America to be one of dependence. There are a lot of politicians that talk about cutting government spending, I'm the only one that's actually done it that's running for President. The rest of them, it's a lot of hot air. If you want your paychecks to go up, if you want more good paying jobs, if you want the government out of your lives, we've got to cut the size of government. It's not enough just to elect any republican, we've seen that. We've got to elect a republican that will take on the establishment in both parties. I'm asking for your support. Thank you.",11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
276,AUDIENCE,(APPLAUSE),11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
277,Seib,Senator Santorum.,11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
278,Santorum,"I announced from a factory floor in Western Pennsylvania. This campaign has all been about two words for me, working families. Working. Getting people the opportunity to see those wages rise, to be on the side of the American workers so they can get good paying jobs, and that means we have to start making things in America again. We need a president who's going to not just put policies in place, but is going to stand up at the bully pulpit and talk about the dignity of being a welder. The dignity of being a carpenter, about going to work and earning success. And, also, the importance of families, the importance of families and fathers, and mothers raising their children, and committing to that so that they can give children in our country the best opportunity to success. Working families is the key for us to win this election.",11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
279,AUDIENCE,(APPLAUSE),11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
280,Seib,Governor Huckabee.,11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
281,Huckabee,"In many ways, I feel like I'm the luckiest guy on Earth. I really do. It's a long way from a little brick rent house on second street in Hope, Arkansas to this stage where I'm running for President of the United States. It's not about me, not about these guys -- 'ought to be about you, and I've never been the favorite of the people who have the most money. But, I want to be the favorite of the people who still want to believe the American dream can work for them. Today in our office, I got a letter from a third grader in North Dakota, her name is Reese. She sent $6 dollars from her allowance, and said, ""I want to help you be president."" You know, I'm going to keep standing on this stage, and keep fighting for one reason, because somewhere out there in North Dakota, and all over America, there are kids like Reese who need a president who will never forget where they came from, and I promise I won't.",11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
282,AUDIENCE,(APPLAUSE),11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
283,Seib,Governor Christie.,11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
284,Christie,"I want to tell the American people who are watching tonight the truth. I saw the most disgraceful thing I've seen in this entire campaign a few weeks ago. Hillary Clinton was asked the enemy she's most proud of, and she said, ""Republicans"". In a world where we have Al-Qaeda, and ISIS, the mullahs in Iran, and Vladimir Putin -- the woman who asks to run and represent all of the United States says that her greatest enemies are people like you in this audience, and us here. I will tell you one thing, and write this down, when you elect me President of the United States, I will go to Washington not only to fight the fights that need fighting, not only to say what I mean, and mean what I say, but to bring this entire country together for a better future for our children and grandchildren.",11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
285,AUDIENCE,(APPLAUSE),11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
286,QUESTION,"Alright, thank you gentlemen. That does it, everyone, for the first debate here in Milwaukee. In just about one hour from now, at 9:00PM Eastern, eight more candidates are going to be taking to the stage. Right now though, special coverage of the Republican Presidential Debate, live from Milwaukee, continues right here on Fox Business.",11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
287,AUDIENCE,(APPLAUSE),11/10/15,Republican Undercard,"Milwaukee, Wisconsin",http://www.presidency.ucsb.edu/ws/index.php?pid=110909
1,Kelly,"Welcome to the first debate night of the 2016 presidential campaign, live from Quicken Loans Arena in Cleveland, Ohio. I'm Megyn Kelly...",8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
2,AUDIENCE,(APPLAUSE),8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
3,Kelly,"... along with my co-moderators, Brett Baier and Chris Wallace. Tonight...",8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
4,AUDIENCE,(APPLAUSE),8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
5,Kelly,"Nice. Tonight, thousands of people here in the Q, along with millions of voters at home will get their very first chance to see the candidates face off in a debate, answering the questions you want answered.",8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
6,Baier,"Less than a year from now, in this very arena, one of these 10 candidates or one of the seven on the previous debate tonight will accept the Republican party's nomination.",8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
7,AUDIENCE,(APPLAUSE),8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
8,Baier,"Tonight's candidates were selected based on an average of five national polls. Just a few hours ago, you heard from the candidates ranked 11th through 17. And now, the prime-time event, the top 10.",8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
9,Wallace,"Also of note, Fox News is partnering for tonight's debate with Facebook. For the past several weeks, we've been asking you for questions for the candidates on Facebook. Nearly 6 million of you, 6 million, viewed the debate videos on our site, and more than 40,000 of you submitted questions: some of which you will hear us asking the candidates tonight.",8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
10,Kelly,"As for the candidates who will be answering those questions? Here they are. Positioned on the stage by how they stand in the polls, in the center of the stage tonight, businessman Donald Trump.",8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
11,AUDIENCE,(APPLAUSE),8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
12,Kelly,Former Florida Governor Jeb Bush.,8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
13,AUDIENCE,(APPLAUSE),8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
14,Kelly,Wisconsin Governor Scott Walker.,8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
15,AUDIENCE,(APPLAUSE),8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
16,Kelly,Former Arkansas Governor Mike Huckabee.,8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
17,AUDIENCE,(APPLAUSE),8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
18,Baier,"Neurosurgeon, Dr. Ben Carson.",8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
19,AUDIENCE,(APPLAUSE),8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
20,Baier,Texas Senator Ted Cruz.,8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
21,AUDIENCE,(APPLAUSE),8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
22,Baier,Florida Senator Marco Rubio.,8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
23,AUDIENCE,(APPLAUSE),8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
24,Wallace,Kentucky Senator Rand Paul.,8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
25,AUDIENCE,(APPLAUSE),8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
26,Wallace,New Jersey Governor Chris Christie.,8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
27,AUDIENCE,(APPLAUSE),8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
28,Wallace,And your very own governor of Ohio...,8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
29,AUDIENCE,(APPLAUSE),8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
30,Wallace,... John Kasich.,8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
31,AUDIENCE,(APPLAUSE),8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
32,Wallace,"Brett -- Brett, I think you would call that a home field advantage.",8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
33,Baier,It might be. It might be. We'll see.,8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
34,UNKNOWN,: Is this in the rules? An objection's coming.,8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
35,Baier,"It might be. The rules for tonight are simple. One minute for answers, 30 seconds for follow-ups. And if a candidate runs over, you'll hear this. Pleasant, no? We also have a big crowd here with us tonight in the home of the Cavaliers, as I mentioned. And while we expect them...",8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
36,AUDIENCE,(APPLAUSE),8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
37,Baier,"... we expect them to be enthusiastic, as you heard, we don't want to take anything away from the valuable time for the candidate. So, we're looking for somewhere between a reaction to a LeBron James dunk and the Cleveland Public Library across the street.",8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
38,AUDIENCE,(LAUGHTER),8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
39,Baier,"Somewhere there, we'll find a balance tonight. Without further ado, let's begin.",8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
40,Baier,"Gentlemen, we know how much you love hand-raising questions. So we promise, this is the only one tonight: the only one. Is there anyone on stage, and can I see hands, who is unwilling tonight to pledge your support to the eventual nominee of the Republican party and pledge to not run an independent campaign against that person. Again, we're looking for you to raise your hand now -- raise your hand now if you won't make that pledge tonight. Mr. Trump.",8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
41,AUDIENCE,(BOOING),8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
42,Baier,"Mr. Trump to be clear, you're standing on a Republican primary debate stage.",8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
43,Trump,I fully understand.,8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
44,Baier,The place where the RNC will give the nominee the nod.,8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
45,Trump,I fully understand.,8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
46,Baier,And that experts say an independent run would almost certainly hand the race over to Democrats and likely another Clinton. You can't say tonight that you can make that pledge?,8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
47,Trump,"I cannot say. I have to respect the person that, if it's not me, the person that wins, if I do win, and I'm leading by quite a bit, that's what I want to do. I can totally make that pledge. If I'm the nominee, I will pledge I will not run as an independent. But -- and I am discussing it with everybody, but I'm, you know, talking about a lot of leverage. We want to win, and we will win. But I want to win as the Republican. I want to run as the Republican nominee.",8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
48,Baier,"So tonight, you can't say if another one of these...",8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
49,Paul,This is what's wrong!,8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
50,Baier,OK.,8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
51,Paul,"I mean, this is what's wrong. He buys and sells politicians of all stripes, he's already...",8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
52,Baier,Dr. Paul.,8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
53,Paul,"Hey, look, look! He's already hedging his bet on the Clintons, OK? So if he doesn't run as a Republican, maybe he supports Clinton, or maybe he runs as an independent...",8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
54,Baier,OK.,8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
55,Paul,...but I'd say that he's already hedging his bets because he's used to buying politicians.,8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
56,Trump,"Well, I've given him plenty of money.",8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
57,Baier,"Just to be clear, you can't make a -- we're gonna -- we're going to move on. You're not gonna make the pledge tonight?",8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
58,Trump,I will not make the pledge at this time.,8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
59,Baier,OK. Alright.,8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
60,AUDIENCE,(APPLAUSE) (LAUGHTER),8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
61,Kelly,"Gentlemen, our first round of questions is on the subject of electability in the general election, and we start tonight with you, Dr. Carson. You are a successful neurosurgeon, but you admit that you have had to study up on foreign policy, saying there's a lot to learn. Your critics say that your inexperience shows. You've suggested that the Baltic States are not a part of NATO, just months ago you were unfamiliar with the major political parties and government in Israel, and domestically, you thought Alan Greenspan had been treasury secretary instead of federal reserve chair. Aren't these basic mistakes, and don't they raise legitimate questions about whether you are ready to be president?",8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
62,Carson,"Well, I could take issue with -- with all of those things, but we don't have time. But I will say, we have a debate here tonight, and we will have an opportunity to explore those areas, and I'm looking very much forward to demonstrating that, in fact, the thing that is probably most important is having a brain, and to be able to figure things out and learn things very rapidly. So, you know, experience comes from a large number of different arenas, and America became a great nation early on not because it was flooded with politicians, but because it was flooded with people who understood the value of personal responsibility, hard work, creativity, innovation, and that's what will get us on the right track now, as well.",8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
63,Wallace,"Senator Rubio, when Jeb Bush announced his candidacy for presidency, he said this: ""There's no passing off responsibility when you're a governor, no blending into the legislative crowd."" Could you please address Governor Bush across the stage here, and explain to him why you, someone who has never held executive office, are better prepared to be president than he is, a man who you say did a great job running your state of Florida for eight years.",8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
64,Rubio,"Well, thank you for the question, Chris, and it's great to be here tonight. Let me begin by saying this: I'm not new to the political process; I was making a contribution as the speaker of the third largest and most diverse state in the country well before I even got into the Senate. I would add to that that this election cannot be a resume competition. It's important to be qualified, but if this election is a resume competition, then Hillary Clinton's gonna be the next president, because she's been in office and in government longer than anybody else running here tonight. Here's what this election better be about: This election better be about the future, not the past. It better be about the issues our nation and the world is facing today, not simply the issues we once faced. This country is facing an economy that has been radically transformed. You know, the largest retailer in the country and the world today, Amazon, doesn't even own a single store? And these changes have been disruptive. They have changed people's lives. The jobs that once sustained our middle class, they either don't pay enough or they are gone, and we need someone that understands that as our nominee. If I'm our nominee, how is Hillary Clinton gonna lecture me about living paycheck to paycheck? I was raised paycheck to paycheck. How is she -- how is she gonna lecture me -- how is she gonna lecture me about student loans? I owed over $100,000 just four years ago. If I'm our nominee, we will be the party of the future.",8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
65,AUDIENCE,(APPLAUSE),8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
66,Baier,"Governor Bush, you have insisted that you're your own man. You say you have a life experience uniquely your own. Not your father's, not your brother's. But there are several opponents on this stage who get big- applause lines in early voting states with this line: quote, ""the last thing the country needs is another Bush in the Oval Office."" So do you understand the real concern in this country about dynastic politics?",8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
67,Bush,"Absolutely, I do, and I'm gonna run hard, run with heart, and run to win. I'm gonna have to earn this. Maybe the barrier -- the bar's even higher for me. That's fine. I've got a record in Florida. I'm proud of my dad, and I'm certainly proud of my brother. In Florida, they called me Jeb, because I earned it. I cut taxes every year, totaling $19 billion. We were -- we had -- we balanced every budget. We went from $1 billion of reserves to $9 billion of reserves. We were one of two states that went to AAA bond rating. They keep -- they called me Veto Corleone. Because I vetoed 2,500 separate line-items in the budget.",8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
68,AUDIENCE,(APPLAUSE),8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
69,Bush,"I am my own man. I governed as a conservative, and I govern effectively. And the net effect was, during my eight years, 1.3 million jobs were created. We left the state better off because I applied conservative principles in a purple state the right way, and people rose up.",8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
70,AUDIENCE,(APPLAUSE),8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
71,Kelly,"Mr. Trump, one of the things people love about you is you speak your mind and you don't use a politician's filter. However, that is not without its downsides, in particular, when it comes to women. You've called women you don't like ""fat pigs, dogs, slobs, and disgusting animals.""",8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
72,AUDIENCE,(LAUGHTER),8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
73,Kelly,Your Twitter account...,8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
74,Trump,Only Rosie O'Donnell.,8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
75,AUDIENCE,(LAUGHTER),8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
76,Kelly,"No, it wasn't.",8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
77,AUDIENCE,(APPLAUSE),8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
78,Kelly,Your Twitter account...,8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
79,AUDIENCE,(APPLAUSE),8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
80,Trump,Thank you.,8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
81,Kelly,"For the record, it was well beyond Rosie O'Donnell.",8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
82,Trump,"Yes, I'm sure it was.",8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
83,Kelly,"Your Twitter account has several disparaging comments about women's looks. You once told a contestant on Celebrity Apprentice it would be a pretty picture to see her on her knees. Does that sound to you like the temperament of a man we should elect as president, and how will you answer the charge from Hillary Clinton, who was likely to be the Democratic nominee, that you are part of the war on women?",8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
84,Trump,I think the big problem this country has is being politically correct.,8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
85,AUDIENCE,(APPLAUSE),8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
86,Trump,"I've been challenged by so many people, and I don't frankly have time for total political correctness. And to be honest with you, this country doesn't have time either. This country is in big trouble. We don't win anymore. We lose to China. We lose to Mexico both in trade and at the border. We lose to everybody. And frankly, what I say, and oftentimes it's fun, it's kidding. We have a good time. What I say is what I say. And honestly Megyn, if you don't like it, I'm sorry. I've been very nice to you, although I could probably maybe not be, based on the way you have treated me. But I wouldn't do that.",8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
87,AUDIENCE,(APPLAUSE),8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
88,Trump,"But you know what, we -- we need strength, we need energy, we need quickness and we need brain in this country to turn it around. That, I can tell you right now.",8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
89,Wallace,"Senator Cruz, your colleague, Senator Paul, right there next to you, said a few months ago he agrees with you on a number of issues, but he says you do nothing to grow the party. He says you feed red meat to the base, but you don't reach out to minorities. You have a toxic relationship with GOP leaders in Congress. You even called the Republican Senate Leader Mitch McConnell a liar recently.",8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
90,AUDIENCE,(APPLAUSE),8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
91,Wallace,How can you win in 2016 when you're such a divisive figure?,8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
92,Cruz,"Chris, I believe the American people are looking for someone to speak the truth.",8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
93,AUDIENCE,(APPLAUSE),8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
94,Cruz,"If you're looking for someone to go to Washington, to go along to get along, to get -- to agree with the career politicians in both parties who get in bed with the lobbyists and special interests, then I ain't your guy. There is a reason...",8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
95,AUDIENCE,(APPLAUSE),8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
96,Cruz,".... that we have $18 trillion in debt. Because as conservatives, as Republicans, we keep winning elections. We got a Republican House, we've got a Republican Senate, and we don't have leaders who honor their commitments. I will always tell the truth and do what I said I would do.",8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
97,AUDIENCE,(APPLAUSE),8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
98,Baier,"Governor Christie, you're not exactly the darling of conservatives. You tout your record as a Republican governor in a blue state. On Facebook, the most people talking about you, not surprisingly, come from your state of New Jersey, and one of the top issues they are talking about is the economy. This -- this may be why. Under your watch, New Jersey has undergone nine credit rating downgrades. The state's 44th in private sector growth. You face an employee pension crisis and the Garden State has the third highest foreclosure rate in the country. So why should voters believe that your management of the country's finances would be any different?",8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
99,Christie,"If you think it's bad now, you should've seen it when I got there.",8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
100,AUDIENCE,(APPLAUSE) (LAUGHTER),8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
101,Christie,"The fact is -- the fact is, in the eight years before I became governor, taxes and fees were raised at the state level 115 times. In the eight years before I became governor, spending was increased 56 percent. And in the eight years before I become governor, taxes and fees were raised at the state level 115 times. In the eight years before I became Governor, spending was increased 56 percent, and in the eight years before I became governor, there was zero net private sector job growth in New Jersey. Zero. For eight years. So, what did we do? We came in, we balanced an $11 billion deficit on a $29 billion budget by cutting over 800 programs in the state budget. We brought the budget into balance with no tax increases. In fact, we vetoed five income tax increases during my time as governor. We cut business taxes $2.3 billion, and we cut regulation by one-third of what my predecessor put in place. And, what's happened since? A hundred ninety-two thousand private sector jobs in the five and a half years I've been governor. We have a lot of work to do in New Jersey, but I am darn proud we've brought our state back.",8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
102,AUDIENCE,(APPLAUSE),8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
103,Kelly,"Governor Walker, you've consistently said that you want to make abortion illegal even in cases of rape, incest, or to save the life of the mother. You recently signed an abortion law in Wisconsin that does have an exception for the mother's life, but you're on the record as having objected to it. Would you really let a mother die rather than have an abortion, and with 83 percent of the American public in favor of a life exception, are you too out of the mainstream on this issue to win the general election?",8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
104,Walker,"Well, I'm pro-life, I've always been pro-life, and I've got a position that I think is consistent with many Americans out there in that...",8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
105,AUDIENCE,(APPLAUSE),8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
106,Walker,"...in that I believe that that is an unborn child that's in need of protection out there, and I've said many a time that that unborn child can be protected, and there are many other alternatives that can also protect the life of that mother. That's been consistently proven. Unlike Hillary Clinton, who has a radical position in terms of support for Planned Parenthood, I defunded Planned Parenthood more than four years ago, long before any of these videos came out...",8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
107,AUDIENCE,(APPLAUSE),8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
108,Walker,...I've got a position that's in line with everyday America.,8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
109,AUDIENCE,(APPLAUSE),8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
110,Wallace,"Governor Huckabee, like Governor Walker, you have staked out strong positions on social issues. You favor a constitutional amendment banning same sex marriage. You favor a constitutional amendment banning abortions, except for the life of the mother. Millions of people in this country agree with you, but according to the polls, and again this an electability question, according to the polls, more people don't, so how do you persuade enough Independents and Democrats to get elected in 2016?",8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
111,Huckabee,"Chris, I disagree with the idea that the real issue is a constitutional amendment. That's a long and difficult process. I've actually taken the position that's bolder than that. A lot of people are talking about defunding planned parenthood, as if that's a huge game changer. I think it's time to do something even more bold. I think the next president ought to invoke the Fifth, and Fourteenth Amendments to the constitution now that we clearly know that that baby inside the mother's womb is a person at the moment of conception. The reason we know that it is is because of the DNA schedule that we now have clear scientific evidence on. And, this notion that we just continue to ignore the personhood of the individual is a violation of that unborn child's Fifth and 14th Amendment rights for due process and equal protection under the law. It's time that we recognize the Supreme Court is not the Supreme Being, and we change the policy to be pro-life and protect children instead of rip up their body parts and sell them like they're parts to a Buick.",8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
112,AUDIENCE,(APPLAUSE),8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
113,Baier,"Senator Paul, you recently blamed the rise of ISIS on Republican hawks. You later said that that statement, you could have said it better. But, the statement went on, and you said, quote, ""Everything they've talked about in foreign policy, they've been wrong for the last 20 years."" Why are you so quick to blame your own party?",8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
114,Paul,"First of all, only ISIS is responsible for the terrorism. Only ISIS is responsible for the depravity. But, we do have to examine, how are we going to defeat ISIS? I've got a proposal. I'm the leading voice in America for not arming the allies of ISIS.",8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
115,AUDIENCE,(APPLAUSE),8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
116,Paul,"I've been fighting amidst a lot of opposition from both Hillary Clinton, as well as some Republicans who wanted to send arms to the allies of ISIS. ISIS rides around in a billion dollars worth of U.S. Humvees. It's a disgrace. We've got to stop -- we shouldn't fund our enemies, for goodness sakes. So, we didn't create ISIS -- ISIS created themselves, but we will stop them, and one of the ways we stop them is by not funding them, and not arming them.",8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
117,AUDIENCE,(APPLAUSE),8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
118,Kelly,"Governor Kasich, You chose to expand Medicaid in your state, unlike several other governors on this stage tonight, and it is already over budget by some estimates costing taxpayers an additional $1.4 billion in just the first 18 months. You defended your Medicaid expansion by invoking God, saying to skeptics that when they arrive in heaven, Saint Peter isn't going to ask them how small they've kept government, but what they have done for the poor. Why should Republican voters, who generally want to shrink government, believe that you won't use your Saint Peter rationale to expand every government program?",8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
119,Kasich,"Well, first of all...",8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
120,AUDIENCE,(APPLAUSE),8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
121,Kasich,"... first of all, Megyn, you should know that -- that President Reagan expanded Medicaid three or four times. Secondly, I had an opportunity to bring resources back to Ohio to do what? To treat the mentally ill. Ten thousand of them sit in our prisons. It costs $22,500 a year...",8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
122,AUDIENCE,(APPLAUSE),8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
123,Kasich,"... to keep them in prison. I'd rather get them their medication so they could lead a decent life. Secondly, we are rehabbing the drug-addicted. Eighty percent of the people in our prisons have addictions or problems. We now treat them in the prisons, release them in the community and the recidivism rate is 10 percent and everybody across this country knows that the tsunami of drugs is -- is threatening their very families. So we're treating them and getting them on their feet. And, finally, the working poor, instead of them having come into the emergency rooms where it costs more, where they're sicker and we end up paying, we brought a program in here to make sure that people could get on their feet. And do you know what? Everybody has a right to their God-given purpose. And finally, our Medicaid is growing at one of the lowest rates in the country. And, finally, we went from $8 billion in the hole to $2 billion in the black. We've cut $5 billion in taxes...",8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
124,OTHER,(BELL),8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
125,Kasich,"...and we've grown 350,000 jobs.",8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
126,AUDIENCE,(APPLAUSE),8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
127,Wallace,"Gentlemen, we're turning to a new subject that all of you have been talking about and some of you have been disagreeing about, and that is the issue of immigration. Governor Bush, you released a new plan this week on illegal immigration focusing on enforcement, which some suggest is your effort to show that you're not soft on that issue. I want to ask you about a statement that you made last year about illegal immigrants. And here's what you said. ""They broke the law, but it's not a felony, it's an act of love. It's an act of commitment to your family."" Do you stand by that statement and do you stand by your support for earned legal status?",8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
128,Bush,"I do. I believe that the great majority of people coming here illegally have no other option. They want to provide for their family. But we need to control our border. It's not -- it's our responsibility to pick and choose who comes in. So I -- I've written a book about this and yet this week, I did come up with a comprehensive strategy that -- that really mirrored what we said in the book, which is that we need to deal with E-Verify, we need to deal with people that come with a legal visa and overstay. We need to be much more strategic on how we deal with border enforcement, border security. We need to eliminate the sanctuary cities in this country. It is ridiculous and",8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
129,AUDIENCE,(APPLAUSE),8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
130,Bush,"...that people are dying because of the fact that -- that local governments are not following the federal law. There's much to do. And I think rather than talking about this as a wedge issue, which Barack Obama has done now for six long years, the next president -- and I hope to be that president -- will fix this once and for all so that we can turn this into a driver for high sustained economic growth. And there should be a path to earned legal",8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
131,OTHER,(BELL),8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
132,Bush,"... for those that are here. Not -- not amnesty, earned legal status, which means you pay a fine and do many things over an extended period of time.",8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
133,Wallace,"Thank you, sir.",8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
134,AUDIENCE,(APPLAUSE),8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
135,Wallace,"Mr. Trump, it has not escaped anybody's notice that you say that the Mexican government, the Mexican government is sending criminals -- rapists, drug dealers, across the border. Governor Bush has called those remarks, quote, ""extraordinarily ugly."" I'd like you -- you're right next to him -- tell us -- talk to him directly and say how you respond to that and -- and you have repeatedly said that you have evidence that the Mexican government is doing this, but you have evidence you have refused or declined to share. Why not use this first Republican presidential debate to share your proof with the American people?",8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
136,Trump,"So, if it weren't for me, you wouldn't even be talking about illegal immigration, Chris. You wouldn't even be talking about it.",8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
137,AUDIENCE,(APPLAUSE),8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
138,Trump,"This was not a subject that was on anybody's mind until I brought it up at my announcement. And I said, Mexico is sending. Except the reporters, because they're a very dishonest lot, generally speaking, in the world of politics, they didn't cover my statement the way I said it. The fact is, since then, many killings ,murders, crime, drugs pouring across the border, are money going out and the drugs coming in. And I said we need to build a wall, and it has to be built quickly. And I don't mind having a big beautiful door in that wall so that people can come into this country legally. But we need, Jeb, to build a wall, we need to keep illegals out.",8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
139,AUDIENCE,(APPLAUSE),8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
140,Wallace,"Mr. Trump, I'll give you 30 seconds -- I'll give you 30 seconds to answer my question, which was, what evidence do you have, specific evidence that the Mexican government is sending criminals across the border? Thirty seconds.",8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
141,Trump,"Border Patrol, I was at the border last week. Border Patrol, people that I deal with, that I talk to, they say this is what's happening. Because our leaders are stupid. Our politicians are stupid. And the Mexican government is much smarter, much sharper, much more cunning. And they send the bad ones over because they don't want to pay for them. They don't want to take care of them. Why should they when the stupid leaders of the United States will do it for them? And that's what is happening whether you like it or not.",8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
142,AUDIENCE,(APPLAUSE),8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
143,Wallace,"All right. Obviously there's a lot more to talk about this. We're going to have more questions for the candidates on illegal immigration, plus other key topics including your questions on Facebook.",8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
144,OTHER,(VIDEO.START),8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
145,UNKNOWN,What will be your plan on making immigration easier for those that want to do it legally?,8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
146,UNKNOWN,What specific steps would you take to contain the growth of ISIS?,8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
147,UNKNOWN,I'd like to know what the candidates are going to do so that I feel safe in my own country again.,8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
148,OTHER,(VIDEO.END),8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
149,OTHER,(COMMERCIAL),8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
150,Wallace,"Welcome back to FOX News/Facebook Republican Debate Night. We're going to continue the questions now on illegal immigration. We kind of ended with a cliffhanger there. So let's continue the conversation. Governor Kasich, I know you don't like to talk about Donald Trump. But I do want to ask you about the merit of what he just said. When you say that the American government is stupid, that the Mexican government is sending criminals, that we're being bamboozled, is that an adequate response to the question of illegal immigration?",8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
151,Kasich,"Chris, first of all, I was just saying to Chris Christie, they say we're outspoken, we need to take lessons from Donald Trump if we're really going to learn it. Here is the thing about Donald Trump. Donald Trump is hitting a nerve in this country. He is. He's hitting a nerve. People are frustrated. They're fed up. They don't think the government is working for them. And for people who want to just tune him out, they're making a mistake. Now, he's got his solutions. Some of us have other solutions. You know, look, I balanced the federal budget as one of the chief architects when I was in Washington. Hasn't been done since. I was a military reformer. I took the state of Ohio from an $8 billion hole and a 350,000 job loss to a $2 billion surplus and a gain of 350,000 jobs.",8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
152,Wallace,"Respectfully, can we talk about illegal immigration?",8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
153,Kasich,"But the point is that we all have solutions. Mr. Trump is touching a nerve because people want the wall to be built. They want to see an end to illegal immigration. They want to see it, and we all do. But we all have different ways of getting there. And you're going to hear from all of us tonight about what our ideas are.",8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
154,Wallace,"All right, well, Senator Rubio, let me see if I can do better with you. Is it as simple as our leaders are stupid, their leaders are smart, and all of these illegals coming over are criminals?",8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
155,Rubio,"Let me set the record straight on a couple of things. The first is, the evidence is now clear that the majority of people coming across the border are not from Mexico. They're coming from Guatemala, El Salvador, Honduras. Those countries are the source of the people that are now coming in its majority. I also believe we need a fence. The problem is if El Chapo builds a tunnel under the fence, we have to be able to deal with that too. And that's why you need an e-verify system and you need an entry-exit tracking system and all sorts of other things to prevent illegal immigration. But I agree with what Governor Kasich just said. People are frustrated. This is the most generous country in the world when it comes to immigration. There are a million people a year who legally immigrate to the United States, and people feel like we're being taken advantage of. We feel like despite our generosity, we're being taken advantage of. And let me tell you who never gets talked about in these debates. The people that call my office, who have been waiting for 15 years to come to the United States. And they've paid their fees, and they hired a lawyer, and they can't get in. And they're wondering, maybe they should come illegally.",8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
156,AUDIENCE,(APPLAUSE),8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
157,Rubio,"And so these are important issues, and we should address it. It's a serious problem that needs to be addressed, and otherwise we're going to keep talking about this for the next 30 years, like we have for the last 30 years.",8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
158,Wallace,Governor Walker.,8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
159,AUDIENCE,(APPLAUSE),8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
160,Wallace,"Governor Walker, from 2002 until as recently as 2013, just two years ago, you supported comprehensive immigration reform, including a path to citizenship. Now you say that was a quick reaction to something you hadn't really thought about, and that you've changed your mind. Other than politics, could you explain why in the last two years you've changed your position on a path to citizenship, and are there other past positions that we shouldn't hold you to?",8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
161,Walker,"Chris, I actually said that on your show earlier this year.",8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
162,CANDIDATES,(CROSSTALK),8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
163,Walker,"I acknowledged that. I said I actually listened to the American people. And I think people across America want a leader who's actually going to listen to them. I talked to border state governors and other elected officials. I look at how this president, particularly through last November, messed up the immigration system in this country. Most importantly, I listened to the people of America. I believe we need to secure the border. I've been to the border with Governor Abbott in Texas and others, seeing the problems that they have there. There is international criminal organizations penetrating our southern based borders, and we need to do something about it. Secure the border, enforce the law, no amnesty, and go forward with the legal immigration system that gives priority to American working families and wages.",8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
164,AUDIENCE,(APPLAUSE),8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
165,Wallace,"Senator Cruz, some 1,400 people submitted questions on this very hot topic of illegal immigration on Facebook, and a number of them were about the murder of Kate Steinle in San Francisco, allegedly shot down by an illegal. Doug Bettencourt sent this question, ""will you support Kate Steinle's Law,"" which would impose a mandatory five-year prison term for an illegal who is deported and then returns to this country? ""And will you defund sanctuary cities for violating federal law?""",8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
166,Cruz,"Chris, absolutely yes. And not only will I support",8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
167,AUDIENCE,(APPLAUSE),8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
168,Cruz,"...I have authored Kate's law in the United States Senate and filed that legislation. I tried to get the Senate to vote to pass Kate's law on the floor of the Senate just one week ago, and the leader of our own party blocked a vote on Kate's law. You know, there was reference made to our leaders being stupid. It's not a question of stupidity. It's that they don't want to enforce the immigration laws. That there are far too many in the Washington cartel that support amnesty. President Obama has talked about fundamentally transforming this country. There's 7 billion people across the face of the globe, many of whom want to come to this country. If they come legally, great. But if they come illegally and they get amnesty, that is how we fundamentally change this country, and it really is striking. A majority of the candidates on this stage have supported amnesty. I have never supported amnesty, and I led the fight against Chuck Schumer's gang of eight amnesty legislation in the Senate.",8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
169,Kelly,"Alright, gentlemen, we're gonna switch topics now and talk a bit about terror and national security. Governor Christie. You've said that Senator Paul's opposition to the NSA's collection of phone records has made the United States weaker and more vulnerable, even going so far as to say that he should be called before Congress to answer for it if we should be hit by another terrorist attack. Do you really believe you can assign blame to Senator Paul just for opposing the bulk collection of people's phone records in the event of a terrorist attack?",8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
170,Christie,"Yes, I do. And I'll tell you why: because I'm the only person on this stage who's actually filed applications under the Patriot Act, who has gone before the federal -- the Foreign Intelligence Service court, who has prosecuted and investigated and jailed terrorists in this country after September 11th. I was appointed U.S. attorney by President Bush on September 10th, 2001, and the world changed enormously the next day, and that happened in my state. This is not theoretical to me. I went to the funerals. We lost friends of ours in the Trade Center that day. My own wife was two blocks from the Trade Center that day, at her office, having gone through it that morning. When you actually have to be responsible for doing this, you can do it, and we did it, for seven years in my office, respecting civil liberties and protecting the homeland. And I will make no apologies, ever, for protecting the lives and the safety of the American people. We have to give more tools to our folks to be able to do that, not fewer, and then trust those people and oversee them to do it the right way. As president, that is exactly what I'll do.",8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
171,Paul,"Megyn, may I respond?",8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
172,AUDIENCE,(APPLAUSE),8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
173,Paul,May I respond?,8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
174,Kelly,"Go ahead, sir.",8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
175,Paul,"I want to collect more records from terrorists, but less records from innocent Americans. The Fourth Amendment was what we fought the Revolution over! John Adams said it was the spark that led to our war for independence, and I'm proud of standing for the Bill of Rights, and I will continue to stand for the Bill of Rights.",8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
176,AUDIENCE,(APPLAUSE),8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
177,Christie,"And -- and, Megyn? Megyn, that's a -- that, you know, that's a completely ridiculous answer. ""I want to collect more records from terrorists, but less records from other people."" How are you supposed to know, Megyn?",8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
178,Paul,Use the Fourth Amendment!,8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
179,Christie,What are you supposed to...,8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
180,Paul,Use the Fourth Amendment!,8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
181,Christie,"...how are you supposed to -- no, I'll tell you how you, look...",8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
182,Paul,Get a warrant!,8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
183,Christie,"Let me tell you something, you go...",8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
184,Paul,Get a judge to sign the warrant!,8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
185,Christie,"When you -- you know, senator...",8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
186,CANDIDATES,(CROSSTALK),8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
187,Kelly,"Governor Christie, make your point.",8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
188,Christie,"Listen, senator, you know, when you're sitting in a subcommittee, just blowing hot air about this, you can say things like that.",8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
189,AUDIENCE,(APPLAUSE),8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
190,Christie,"When you're responsible for protecting the lives of the American people, then what you need to do is to make sure...",8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
191,Paul,"See, here's the problem.",8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
192,Christie,...is to make sure that you use the system the way it's supposed to work.,8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
193,Paul,"Here's the problem, governor. Here's the problem, governor. You fundamentally misunderstand the Bill of Rights. Every time you did a case, you got a warrant from a judge. I'm talking about searches without warrants...",8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
194,Christie,There is no...,8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
195,Paul,"...indiscriminately, of all Americans' records, and that's what I fought to end. I don't trust President Obama with our records. I know you gave him a big hug, and if you want to give him a big hug again, go right ahead.",8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
196,AUDIENCE,(APPLAUSE),8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
197,Kelly,"Go ahead, governor.",8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
198,Christie,"And you know -- you know, Senator Paul? Senator Paul, you know, the hugs that I remember are the hugs that I gave to the families who lost their people on September 11th. Those are the hugs I remember, and those had nothing to do -- and those had nothing to do with politics, unlike what you're doing by cutting speeches on the floor of the Senate, then putting them on the Internet within half an hour to raise money for your campaign...",8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
199,Kelly,Alright.,8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
200,Christie,...and while still putting our country at risk.,8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
201,CANDIDATES,(CROSSTALK),8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
202,Kelly,"Alright, we've gotta cut it off there. We have plenty more we want to get to. That was an interesting exchange, thank you for that.",8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
203,Christie,"You know what, Megyn, can I...",8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
204,Kelly,"Well, I want to move on, because I have -- we're gonna get to you, governor, but I -- I really wanna get to a Facebook questioner. His name is Alex Chalgren, and he has the following question:",8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
205,OTHER,(VIDEO.START),8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
206,QUESTION,"My question is, how would the candidates stop the treacherous actions of ISIS -- ISIL and its growing influence in the U.S., if they were to become president?",8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
207,OTHER,(VIDEO.END),8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
208,Kelly,"Senator Cruz, I wanna talk to you about this, because many of the Facebook users and -- and -- the -- the folks on Facebook wanted the candidates to speak to ISIS tonight. You asked the chairman of the joint chiefs a question: ""What would it take to destroy ISIS in 90 days?"" He told you ""IISIS will only be truly destroyed once they are rejected by the populations in which they hide."" And then you accused him of pushing Medicaid for the Iraqis. How would you destroy ISIS in 90 days?",8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
209,Cruz,"Megyn, we need a commander in chief that speaks the truth. We will not defeat radical Islamic terrorism so long as we have a president unwilling to utter the words, ""radical Islamic terrorism"".",8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
210,AUDIENCE,(APPLAUSE),8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
211,Cruz,"When I asked General Dempsey, the chairman of the joint chiefs, what would be required militarily to destroy ISIS, he said there is no military solution. We need to change the conditions on the ground so that young men are not in poverty and susceptible to radicalization. That, with all due respect, is nonsense. It's the same answer the State Department gave that we need to give them jobs. What we need is a commander in chief who makes -- clear, if you join ISIS, if you wage jihad on America, then you are signing your death warrant.",8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
212,Kelly,You don't see it as...,8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
213,AUDIENCE,(APPLAUSE),8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
214,Kelly,...an ideological problem -- an ideological problem in addition to a military one?,8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
215,AUDIENCE,(APPLAUSE),8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
216,Cruz,"Megyn, of course it's an ideological problem, that's one of the reasons I introduce the Expatriate Terrorist Act in the Senate that said if any American travels to the Middle East and joining ISIS, that he or she forfeits their citizenship so they don't use a passport to come back and wage jihad on Americans.",8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
217,AUDIENCE,(APPLAUSE),8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
218,Cruz,"Yes, it is ideological, and let me contrast President Obama, who at the prayer breakfast, essentially acted as an apologist. He said, ""Well, gosh, the crusades, the",8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
219,OTHER,(BELL),8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
220,Cruz,"We need a president that shows the courage that Egypt's President al-Sisi did, a Muslim, when he called out the radical Islamic terrorists who are threatening the world.",8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
221,AUDIENCE,(APPLAUSE),8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
222,Kelly,"Governor Bush, for days on end in this campaign, you struggled to answer a question about whether knowing what we know now...",8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
223,Bush,...I remember...,8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
224,Kelly,...we would've invaded Iraq...,8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
225,Bush,"...I remember, Megyn.",8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
226,AUDIENCE,(LAUGHTER),8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
227,Kelly,"I remember it too, and ISIS, of course, is now thriving there. You finally said, ""No."" To the families of those who died in that war who say they liberated a country and deposed a ruthless dictator, how do you look at them now and say that your brothers war was a mistake?",8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
228,Bush,"Knowing what we know now, with faulty intelligence, and not having security be the first priority when -- when we invaded, it was a mistake. I wouldn't have gone in, however, for the people that did lose their lives, and the families that suffer because of it -- I know this full well because as governor of the state of Florida, I called every one of them. Every one of them that I could find to tell them that I was praying for them, that I cared about them, and it was really hard to do. And, every one of them said that their child did not die in vain, or their wife, of their husband did not die in vain. So, why it was difficult for me to do it was based on that. Here's the lesson that we should take from this, which relates to this whole subject. Barack Obama became president, and he abandoned Iraq. He left, and when he left Al Qaida was done for. ISIS was created because",8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
229,OTHER,(BELL),8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
230,Bush,"of the void that we left, and that void now exists as a caliphate the size of Indiana. To honor the people that died, we need to -- we need to --- stop the -- Iran agreement, for sure, because the Iranian mullahs have their blood on their hands, and we need to take out ISIS with every tool at our disposal.",8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
231,AUDIENCE,(APPLAUSE),8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
232,Kelly,"Governor Walker, in February you said that we needed to gain partners in the Arab world. Which Arab country not already in the U.S. led coalition has potential to be our greatest partner?",8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
233,Walker,"I don't know about additional ones. We need to focus on the ones we have. You look at Egypt, probably the best relationship we've had in Israel, at least in my lifetime, incredibly important. You look at the Saudis -- in fact, earlier this year, I met with Saudi leaders, and leaders from the United Arab Emirates, and I asked them what's the greatest challenge in the world today? Set aside the Iran deal. They said it's the disengagement of America. We are leading from behind under the Obama-Clinton doctrine -- America's a great country. We need to stand up and start leading again, and we need to have allies, not just in Israel, but throughout the Persian Gulf.",8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
234,Kelly,"Dr. Carson, in one of his first acts as commander in chief, President Obama signed an executive order banning enhanced interrogation techniques in fighting terror. As president, would you bring back water boarding?",8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
235,Carson,"Well, thank you, Megyn, I wasn't sure I was going to get to talk again.",8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
236,AUDIENCE,(APPLAUSE),8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
237,Kelly,"We have a lot for you, don't worry.",8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
238,AUDIENCE,(APPLAUSE) (LAUGHTER),8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
239,Kelly,"Fear not, you may rue that request.",8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
240,Carson,"Alright. You know, what we do in order to get the information that we need is our business, and I wouldn't necessarily be broadcasting what we're going to do.",8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
241,AUDIENCE,(APPLAUSE),8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
242,Carson,We. . .uh. . .we've gotten into this -- this mindset of fighting politically correct wars. There is no such thing as a politically correct war.,8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
243,AUDIENCE,(APPLAUSE),8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
244,Carson,"And, the left, of course, will say Carson doesn't believe in the Geneva Convention. Carson doesn't believe in fighting stupid wars. And -- and what we have to remember is we want to utilize the tremendous intellect that we have in the military to win wars. And I've talked to a lot of the generals, a lot of our advanced people. And believe me, if we gave them the mission, which is what the commander-in-chief does, they would be able to carry it out. And if we don't tie their hands behind their back, they will do",8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
245,OTHER,(BELL),8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
246,Carson,...extremely effectively.,8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
247,AUDIENCE,(APPLAUSE),8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
248,Baier,"Gentlemen, the next series of questions deals with ObamaCare and the role of the federal government. Mr. Trump, ObamaCare is one of the things you call a disaster.",8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
249,Trump,"A complete disaster, yes.",8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
250,Baier,Saying it needs to be repealed and replaced.,8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
251,Trump,Correct.,8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
252,Baier,"Now, 15 years ago, you called yourself a liberal on health care. You were for a single-payer system, a Canadian-style system. Why were you for that then and why aren't you for it now?",8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
253,Trump,"First of all, I'd like to just go back to one. In July of 2004, I came out strongly against the war with Iraq, because it was going to destabilize the Middle East. And I'm the only one on this stage that knew that and had the vision to say it. And that's exactly what happened.",8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
254,Baier,But on ObamaCare...,8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
255,Trump,"And the Middle East became totally destabilized. So I just want to say. As far as single payer, it works in Canada. It works incredibly well in Scotland. It could have worked in a different age, which is the age you're talking about here. What I'd like to see is a private system without the artificial lines around every state. I have a big company with thousands and thousands of employees. And if I'm negotiating in New York or in New Jersey or in California, I have like one bidder. Nobody can bid. You know why? Because the insurance companies are making a fortune because they have control of the politicians, of course, with the exception of the politicians on this stage. But they have total control of the politicians. They're making a fortune. Get rid of the artificial lines and you will",8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
256,OTHER,(BELL),8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
257,Trump,...yourself great plans. And then we have to take care of the people that can't take care of themselves. And I will do that through a different system.,8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
258,CANDIDATES,(CROSSTALK),8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
259,Baier,"Mr. Trump, hold up one second.",8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
260,Paul,I've got a news flash...,8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
261,Baier,"All right, now, hold on, Senator Paul...",8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
262,Paul,"News flash, the Republican Party's been fighting against a single-payer system...",8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
263,Baier,OK.,8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
264,Paul,-- for a decade. So I think you're on the wrong side of this if you're still arguing for a single-payer system.,8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
265,Trump,I'm not -- I'm not are -- I don't think you heard me. You're having a hard time tonight.,8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
266,Baier,"All right, let me...",8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
267,AUDIENCE,(APPLAUSE),8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
268,Baier,"Mr. Trump, it's not just your past support for single- payer health care. You've also supported a host of other liberal policies. Use -- you've also donated to several Democratic candidates, Hillary Clinton included, Nancy Pelosi. You explained away those donations saying you did that to get business-related favors. And you said recently, quote, ""When you give, they do whatever the hell you want them to do.""",8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
269,Trump,You'd better believe it.,8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
270,Baier,So what specifically did...,8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
271,UNKNOWN,That's true.,8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
272,Baier,#NAME?,8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
273,Trump,"If I ask them, if I need them, you know, most of the people on this stage I've given to, just so you understand, a lot of money.",8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
274,Rubio,Not me.,8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
275,Huckabee,Not me.,8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
276,AUDIENCE,(LAUGHTER),8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
277,Huckabee,"But you're welcome to give me a check, Donald if you'd like.",8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
278,Trump,Many of them.,8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
279,Rubio,"Actually, to be",8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
280,CANDIDATES,(CROSSTALK),8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
281,Rubio,...he supported Charlie Crist.,8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
282,Trump,Not much.,8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
283,Rubio,"Hey,",8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
284,CANDIDATES,(CROSSTALK),8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
285,Trump,But,8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
286,CANDIDATES,(CROSSTALK),8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
287,Kasich,"Donald, if",8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
288,CANDIDATES,(CROSSTALK),8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
289,Trump,I have good...,8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
290,Kasich,#NAME?,8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
291,Trump,Good.,8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
292,Kasich,OK.,8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
293,Trump,"Sounds good. Sounds good to me, Governor. I will tell you that our system is broken. I gave to many people, before this, before two months ago, I was a businessman. I give to everybody. When they call, I give. And do you know what? When I need something from them two years later, three years later, I call them, they are there for me.",8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
294,UNKNOWN,So what did you get?,8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
295,Trump,And that's a broken system.,8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
296,UNKNOWN,What did you get from Hillary Clinton and Nancy Pelosi?,8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
297,Trump,"Well, I'll tell you what, with Hillary Clinton, I said be at my wedding and she came to my wedding. You know why? She didn't have a choice because I gave. I gave to a foundation that, frankly, that foundation is supposed to do good. I didn't know her money would be used on private jets going all over the world. It was.",8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
298,OTHER,(BELL),8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
299,CANDIDATES,(CROSSTALK),8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
300,Baier,Hold on. We're going to -- we're going to move on.,8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
301,CANDIDATES,(CROSSTALK),8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
302,Baier,"We'll come back to you, Governor Walker.",8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
303,Walker,"Just one second on this, though. We -- we spent a lot of time talking about Hillary Clinton and ---and pitting us back and forth. Let's be clear, we should be talking about Hillary Clinton on that last subject, because everywhere in the world that Hillary Clinton touched is more messed up today than before she and the president (inaudible).",8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
304,Baier,We have many questions to come.,8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
305,Walker,It's true.,8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
306,Baier,Many questions to come.,8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
307,AUDIENCE,(APPLAUSE),8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
308,Baier,"Governor Huckabee, on Facebook, John Pietricone asked this, ""Will you abolish or take away the powers and cut the size of the EPA, the IRS, the Department of Education?"" Now, broadly...",8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
309,AUDIENCE,(APPLAUSE),8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
310,Baier,"...broadly, the size of government is a big concern for Facebook users, Facebook persons, as well as, obviously, conservatives. But year after year, decade after decade, there are promises from Republicans to shrink government. But year after year, decade after decade, it doesn't happen. In fact, it gets bigger, even under Republican politicians. So the question is, at this point, is the government simply too big for any one person, even a Republican, to shrink?",8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
311,Huckabee,"It's not too big to shrink. But the problem is we have a Wall Street-to-Washington axis of power that has controlled the political climate. The donor class feeds the political class who does the dance that the donor class wants. And the result is federal government keeps getting bigger. Every person on this stage who has been a governor will tell that you the biggest fight they had was not the other party. Wasn't even the legislature. It was the federal government, who continually put mandates on the states that we had to suck up and pay for. And the fact is there are a lot of things happening at the federal level that are absolutely beyond the jurisdiction of the Constitution. This is power that should be shifted back to the states, whether it's the EPA, there is no role at the federal level for the Department of Education.",8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
312,AUDIENCE,(APPLAUSE),8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
313,Huckabee,"And I'm still one who says that we can get rid of the Internal Revenue Service if we would pass the FairTax, which is a tax on consumption rather than a tax on people's income, and move power back where the founders believed it should have been all along.",8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
314,Baier,Dr. Carson...,8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
315,UNKNOWN,"Bret, Bret, Bret...",8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
316,Baier,"Dr. Carson, do you agree with that?",8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
317,Carson,"What I agree with is that we need a significantly changed taxation system. And the one that I've advocated is based on tithing, because I think God is a pretty fair guy. And he said, you know, if you give me a tithe, it doesn't matter how much you made. If you've had a bumper crop, you don't owe me triple tithes. And if you've had no crops at all, you don't owe me no tithes. So there must be something inherently fair about that. And that's why I've advocated a proportional tax system. You make $10 billion, you pay a billion. You make $10, you pay one. And everybody gets treated the same way. And you get rid of the deductions, you get rid of all the loopholes,",8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
318,OTHER,(BELL),8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
319,Baier,Governor Bush?,8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
320,Carson,And I have a lot more to say about it.,8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
321,Baier,"We're going to come back to you, Dr. Carson. Governor Bush, you are one of the few people on the stage who advocates for Common Core education standards, reading and math. A lot of people on this stage vigorously oppose a federal involvement in education. They say it should all be handled locally. President Obama's secretary of education, Arnie Duncan, has said that most of the criticism of Common Core is due to a, quote, ""fringe group of critics."" Do you think that's accurate?",8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
322,Bush,"No, I don't. And I don't believe the federal government should be involved in the creation of standards directly or indirectly, the creation of curriculum or content. It is clearly a state responsibility. I'm for higher standards...",8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
323,AUDIENCE,(APPLAUSE),8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
324,Bush,"...measured in an intellectually honest way, with abundant school choice, ending social promotion. And I know how to do this because as governor of the state of Florida I created the first statewide voucher program in the country, the second statewide voucher program, in the country and the third statewide voucher program in the country. And we had rising student achievement across the board, because high standards, robust accountability, ending social promotion in third grade, real school choice across the board, challenging the teachers union and beating them is the way to go. And Florida's low income kids had the greatest gains inside the country. Our graduation rate improved by 50 percent. That's what I'm for.",8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
325,Baier,"Senator Rubio, why is Governor Bush wrong on Common Core?",8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
326,Rubio,"Well, first off, I too believe in curriculum reform. It is critically important in the 21st Century. We do need curriculum reform. And it should happen at the state and local level. That's. . . that's. . . that is where educational policy belongs, because if a parent is unhappy with what their child is being taught in school, they can go to that local school board or their state legislature, or their governor and get it changed. Here's the problem with Common Core. The Department of Education, like every federal agency, will never be satisfied. They will not stop with it being a suggestion. They will turn it into a mandate. In fact, what they will begin to say to local communities is, you will not get federal money unless do you things the way we want you to do it. And they will use Common Core or any other requirements that exists nationally to force it down the throats of our people in our states.",8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
327,AUDIENCE,(APPLAUSE),8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
328,Baier,And do you agree with your old friend?,8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
329,Bush,"He is definitely my friend. And I think the states ought to create these standards. And if states want to opt out of Common Core, fine. Just make sure your standards are high. Because today in America, a third of our kids, after we spend more per student than any country in the world other than a couple rounding errors, to be honest with you, 30 percent are college- and/or career-ready. If we are going to compete in this world we're in today, there is no possible way we can do it with lowering expectations and dumbing down everything. Children are going to suffer and families' hearts are going to be broken that their kids won't be able to get a job in the 21st Century.",8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
330,AUDIENCE,(APPLAUSE),8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
331,Baier,"We have many more questions coming on a host of topics, here from Quicken Loans Arena in Cleveland. Stay with us.",8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
332,OTHER,(VIDEO.START),8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
333,QUESTION,What would make stand out as the best choice for the Republican nomination?,8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
334,QUESTION,How do you intend to go about student loan reform?,8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
335,QUESTION,What will be the first thing you will do to stimulate economic growth in our country and bring more jobs to the United States?,8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
336,OTHER,(VIDEO.END),8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
337,OTHER,(COMMERCIAL),8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
338,Baier,We have many more questions coming on a host of topics. Here from Quicken Loans Arena in Cleveland. Stay with us.,8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
339,OTHER,(VIDEO.START),8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
340,QUESTION,What would make you stand out as the best choice for the Republican nomination?,8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
341,QUESTION,How do you intend to go about student loan reform?,8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
342,QUESTION,What will be the first thing you will do to stimulate economic growth in our country and bring more jobs to the United States?,8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
343,OTHER,(VIDEO.END),8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
344,OTHER,(COMMERCIAL),8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
345,Kelly,"It's just before 10:00 p.m. on the East Coast. Welcome back to Quicken Loans Arena in Cleveland, Ohio, and the very first Republican primary debate of the 2016 presidential campaign. Ten candidates on the stage, selected based on their standing in five national polls. And tonight they are facing off, answering the questions you want asked. We hope.",8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
346,AUDIENCE,(LAUGHTER),8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
347,Wallace,"Gentlemen, we're obviously digging into some subjects in depth, but we're also going to change it up every once in a while throughout the next hour and have many rounds where we ask, you are not going to like it, only a couple of candidates questions on those subjects. This is the first of the many rounds, and it's about somebody whose name probably hasn't been mentioned enough so far tonight. Governor Kasich, let me start with you. Whoever the Republican nominee --",8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
348,AUDIENCE,(APPLAUSE),8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
349,Wallace,"Whoever the Republican nominee is, it looks at least for now like whoever that nominee is, he or she, will be facing off against Hillary Clinton. You know how she will come after whoever the Republican nominee is. She will say that you, whoever it is, support the rich while she supports the middle class. That you want to suppress the rights of women and minorities. She wants to move the country forward while you, the Republicans, want to take the country back to the past. How will you, if you're the nominee, how will you answer that and take Hillary Clinton on?",8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
350,Kasich,"Let's start off with my father being a mailman. So I understand the concerns of all the folks across this country, some of whom have trouble, you know, making ends meet. But I think she will come in a narrow way. The nominee of this party, if they're going to win, has got to come at it in a big way, which is pro-growth. Which is balancing budgets. You know, we were talking about it. People were saying, could we do it? I was the chairman of the Budget Committee and the lead architect the last time it happened in Washington, and when we did it we had great economic growth, we cut taxes, and we had a big surplus. Economic growth is the key. Economic growth is the key to everything. But once you have economic growth, it is important that we reach out to people who live in the shadows, the people who don't seem to ever think that they get a fair deal. And that includes people in our minority community; that includes people who feel as though they don't have a chance to move up. You know, America is a miracle country. And we have to restore the sense that the ""Amiracle"" will apply to you. Each and every one of the people in this country who's watching tonight, lift everybody,",8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
351,OTHER,(BELL),8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
352,Kasich,unite everybody and build a stronger United States of America again. It will be and can be done.,8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
353,Wallace,"I know that all of you would like to answer this question, but we're only going to ask one other candidate before we move on to a different subject, Dr. Carson. Basically, same question to you. If Hillary Clinton is the nominee and she comes at you with that kind of line of attack, how will you take Iraq?",8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
354,Carson,"If Hillary is the candidate, which I doubt, that would be a dream come true.",8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
355,AUDIENCE,(LAUGHTER),8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
356,Carson,"But you know, the fact of the matter is, she is the epitome of the progressive -- the secular progressive movement. And she counts on the fact that people are uninformed, the Alinsky Model, taking advantage of useful idiots. Well, I just happen to believe that people are not stupid.",8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
357,AUDIENCE,(APPLAUSE),8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
358,Carson,"And the way I will come at it is to educate people, help people to actually understand that it is that progressive movement that is causing them the problems. You know, you look at the -- the national debt and how it's being driven up. If I was trying to destroy this country, what I would do is find a way to drive wedges between all the people, drive the debt to an unsustainable level, and then step off the stage as a world leader and let our enemies increase while we decreased our capacity as a military person. And that's what she's doing.",8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
359,AUDIENCE,(APPLAUSE),8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
360,Wallace,"Gentlemen, we're going to turn now to the subject of the economy, jobs and money and the government. And Governor Bush, I'm going to start with you. You have made a bold promise in your announcement. You have promised four percent economic growth and 19 million new jobs if you are fortunate enough to serve two terms as president. That many jobs, 19 million, would be triple what your father and your brother accomplished together. And four percent growth, the last president to average that was Lyndon Johnson during the height of the Vietnam War. So question, how on Earth specifically would you pull that off?",8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
361,Bush,"We've done it 27 times since World War II. I think we need to lift our spirits and have high, lofty expectations for this great country of ours. The new normal of two percent that the left is saying you can't do anything about is so dangerous for our country. There's 6 million people living in poverty today, more than when Barack Obama got elected. 6.5 million people are working part-time, most of whom want to work full-time. We've created rules and taxes on top of every aspiration of people, and the net result is we're not growing fast, income's not growing. A four percent growth strategy means you fix a convoluted tax code. You get in and you change every aspect of regulations that are job killers. You get rid of Obamacare and replace it with something that doesn't suppress wages and kill jobs.",8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
362,AUDIENCE,(APPLAUSE),8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
363,Bush,"You embrace the energy revolution in our country. This president and Hillary Clinton, who can't even say she's for the XL pipeline even after she's left? Give me a break. Of course we're for it. We should be for these things to create high sustained economic growth. And frankly,",8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
364,OTHER,(BELL),8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
365,Bush,fixing our immigration system and turning it into an economic driver is part of this as well. We can do this.,8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
366,AUDIENCE,(APPLAUSE),8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
367,Wallace,Governor Walker.,8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
368,AUDIENCE,(APPLAUSE),8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
369,Wallace,"Governor Walker, when you ran for governor of Wisconsin back in 2010, you promised that you would create 250,000 jobs in your first term, first four years. In fact, Wisconsin added barely half that and ranked 35th in the country in job growth. Now you're running for president, and you're promising an economic plan in which everyone will earn a piece of the American dream. Given your record in Wisconsin, why should voters believe you?",8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
370,Walker,"Well, the voters in Wisconsin elected me last year for the third time because they wanted someone who aimed high, not aimed low. Before I came in, the unemployment rate was over eight percent. It's now down to 4.6 percent. We've more than made up for the jobs that were lost during the recession. And the rate in which people are working is almost five points higher than it is nationally. You know, people like Hillary Clinton think you grow the economy by growing Washington. One report last year showed that six of the top 10 wealthiest counties in America were in or around Washington, D.C.. I think most of us in America understand that people, not the government creates jobs. And one of the best things we can do is get the government out of the way, repeal Obamacare, put in -- reign in all the out of control regulations, put in place an all of the above energy policy, give people the education, the skills that the need to succeed, and lower the tax rate and reform the tax code. That's what I'll do as president, just like I did in Wisconsin.",8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
371,AUDIENCE,(APPLAUSE),8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
372,Wallace,"Governor Christie, I want to engage you and Governor Huckabee in a subject that is a big issue in both of your campaigns, and that is entitlement reform. You say that you -- to save the system that you want to raise the retirement age -- have to raise the retirement age, and to cut benefits for Social Security and Medicare, and you say that some of the candidates here on the stage are lying. Governor Huckabee says he can save Social Security and Medicare without doing any of that. Is he lying?",8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
373,Christie,"No, he's not lying, he's just wrong. I mean, so, there's a difference -- I'm the only guy on this stage who's put out a detailed, 12 point plan on entitlement reform and here's why -- because 71% of federal spending right now is on entitlements, and debt service, 71%. And we have spent the last hour and five minutes talking about the other 29%, and no time on the 71%, and that makes no sense. Now, let me tell you exactly what we would do on Social Security. Yes, we'd raise the retirement age two years, and phase it in over 25 years, that means we'd raise it one month a year for 25 years when we're all living longer, and living better lives. Secondly, we would means test Social Security for those who are making over $200,000 dollars a year in retirement income, and have $4 to $5 million dollars in liquid assets saved. They don't need that Social Security check. Social Security is meant to be -- to make sure that no one who's worked hard, and played by the rules, and paid into the system grows old in poverty in America. If we don't deal with this problem, it will bankrupt our country, or lead to massive tax increases, neither one that we want in this country.",8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
374,AUDIENCE,(APPLAUSE),8/6/15,Republican,"Cleveland, Ohio",http://www.presidency.ucsb.edu/ws/index.php?pid=110489
375,Wallace,"Governor Huckabee? You say that changing entitlements, the kind of thing that Governor Christie is talking about, would be breaking a promise to the American people, and you say that you can keep those programs, save Social Security, save Medicare, without those kinds of reforms through a FairTax, which i
Sign up for free to join this conversation on GitHub. Already have an account? Sign in to comment