thesis-anne/src/working notebooks/2019-04-20-interactive-labe...

4035 lines
333 KiB
Plaintext

{
"cells": [
{
"cell_type": "markdown",
"metadata": {},
"source": [
"# Jupyter Notebook for Interactive Labeling\n",
"______\n",
"\n",
"This Jupyter Notebook combines a manual and automated labeling technique.\n",
"On the basis of decision boundaries, a news article has to be labeled manually or can be labeled automatically.\n",
"Labeling is implemented using multi-class labeling.\n",
"\n",
"In each iteration...\n",
"- a specified number of article labels is checked/corrected manually\n",
" \n",
"- the Multinomial Naive Bayes classification algorithm is applied which returns a vector class_probs $(K_1, K_2, ... , K_6)$ per sample with the probabilities $K_i$ per class $i$. Estimated class labels are checked by the user, if the estimated probability $K_x < b$ with decision boundary $b$.\n",
" \n",
"Note: User instructions are written in upper-case.\n",
"__________\n",
"Version: 2019-04-20, Anne Lorenz"
]
},
{
"cell_type": "code",
"execution_count": 1,
"metadata": {},
"outputs": [],
"source": [
"import csv\n",
"import operator\n",
"import pickle\n",
"import random\n",
"\n",
"from ipywidgets import interact, interactive, fixed, interact_manual\n",
"import ipywidgets as widgets\n",
"from IPython.core.interactiveshell import InteractiveShell\n",
"from IPython.display import display\n",
"import numpy as np\n",
"import pandas as pd\n",
"from sklearn.feature_extraction.text import CountVectorizer\n",
"from sklearn.feature_selection import SelectPercentile\n",
"from sklearn.metrics import recall_score, precision_score, f1_score, make_scorer\n",
"from sklearn.model_selection import GridSearchCV\n",
"from sklearn.model_selection import StratifiedKFold\n",
"from sklearn.pipeline import Pipeline\n",
"from sklearn.naive_bayes import MultinomialNB\n",
"from sklearn.semi_supervised import label_propagation\n",
"\n",
"from BagOfWords import BagOfWords\n",
"from MNBInteractive import MNBInteractive"
]
},
{
"cell_type": "markdown",
"metadata": {},
"source": [
"## Part I: Data preparation\n",
"\n",
"First, we import our data set of 10 000 business news articles from a csv file.\n",
"It contains 833/834 articles of each month of the year 2017.\n",
"For detailed information regarding the data set, please read the full documentation."
]
},
{
"cell_type": "code",
"execution_count": 2,
"metadata": {},
"outputs": [],
"source": [
"# round number to save intermediate label status of data set\n",
"m = -1\n",
"\n",
"# initialize random => reproducible sequence\n",
"random.seed(5)\n",
"\n",
"filepath = '../data/cleaned_data_set_without_header.csv'\n",
"\n",
"# set up wider display area\n",
"pd.set_option('display.max_colwidth', -1)\n",
"\n",
"# set precision of output\n",
"np.set_printoptions(precision=3)\n",
"\n",
"# show full text for print statement\n",
"InteractiveShell.ast_node_interactivity = \"all\""
]
},
{
"cell_type": "code",
"execution_count": 3,
"metadata": {},
"outputs": [
{
"name": "stdout",
"output_type": "stream",
"text": [
"Number of samples in data set in total: 10000\n"
]
}
],
"source": [
"df = pd.read_csv(filepath,\n",
" header=None,\n",
" sep='|',\n",
" engine='python',\n",
" names = [\"Uuid\", \"Title\", \"Text\", \"Site\", \"SiteSection\", \"Url\", \"Timestamp\"],\n",
" decimal='.',\n",
" quotechar='\\'',\n",
" quoting=csv.QUOTE_NONNUMERIC)\n",
"\n",
"# add column for indices\n",
"df['Index'] = df.index.values.astype(int)\n",
"\n",
"# add round annotation (indicates labeling time)\n",
"df['Round'] = np.nan\n",
"\n",
"# initialize label column with -1 for unlabeled samples\n",
"df['Label'] = np.full((len(df)), -1).astype(int)\n",
"\n",
"# add column for estimated probability\n",
"df['Probability'] = np.nan\n",
"\n",
"# store auto-estimated label, initialize with -1 for unestimated samples\n",
"df['Estimated'] = np.full((len(df)), -1).astype(int)\n",
"\n",
"# row number\n",
"n_rows = df.shape[0]\n",
"print('Number of samples in data set in total: {}'.format(n_rows))"
]
},
{
"cell_type": "markdown",
"metadata": {},
"source": [
"We load the previously created dictionary of all article indices (keys) with a list of mentioned organizations (values).\n",
"In the following, we limit the number of occurences of a certain company name in all labeled articles to 3 to avoid imbalance."
]
},
{
"cell_type": "code",
"execution_count": 5,
"metadata": {},
"outputs": [],
"source": [
"def show_next(index):\n",
" ''' this method displays an article's text and an interactive slider to set its label manually\n",
" '''\n",
" print('News article no. {}:'.format(index))\n",
" print()\n",
" print('HEADLINE:')\n",
" print(df.loc[df['Index'] == index, 'Title'])\n",
" print()\n",
" print('TEXT:')\n",
" print(df.loc[df['Index'] == index, 'Text'])\n",
" \n",
" def f(x):\n",
" # save user input\n",
" df.loc[df['Index'] == index, 'Label'] = x\n",
" df.loc[df['Index'] == index, 'Round'] = m\n",
"\n",
" # create slider widget for labels\n",
" interact(f, x = widgets.IntSlider(min=-1, max=2, step=1, value=df.loc[df['Index'] == index, 'Estimated']))\n",
" print('0: Unrelated news, 1: Merger,') \n",
" print('2: Other news related to deals, investments and mergers')\n",
" print('___________________________________________________________________________________________________________')\n",
" print()\n",
" print()\n",
"\n",
"# list of article indices that will be shown next\n",
"label_next = []"
]
},
{
"cell_type": "code",
"execution_count": 6,
"metadata": {},
"outputs": [],
"source": [
"# global dict of all articles (article index => list of mentioned organizations)\n",
"dict_art_orgs = {}\n",
"with open('../obj/dict_articles_organizations_without_banks.pkl', 'rb') as input:\n",
" dict_art_orgs = pickle.load(input)\n",
"\n",
"# global dict of mentioned companies in labeled articles (company name => number of occurences\n",
"dict_limit = {}"
]
},
{
"cell_type": "markdown",
"metadata": {},
"source": [
"The iteration part starts here:\n",
"\n",
"## Part II: Manual checking of estimated labels"
]
},
{
"cell_type": "markdown",
"metadata": {},
"source": [
"PLEASE INSERT M MANUALLY IF PROCESS HAS BEEN INTERRUPTED BEFORE."
]
},
{
"cell_type": "code",
"execution_count": 7,
"metadata": {},
"outputs": [],
"source": [
"m = 9"
]
},
{
"cell_type": "code",
"execution_count": 8,
"metadata": {},
"outputs": [
{
"name": "stdout",
"output_type": "stream",
"text": [
"Last round number: 9\n",
"Number of manually labeled articles: 1000\n",
"Number of manually unlabeled articles: 9000\n"
]
}
],
"source": [
"# read current data set from csv\n",
"df = pd.read_csv('../data/interactive_labeling_round_{}_corrected.csv'.format(m),\n",
" sep='|',\n",
" usecols=range(1,13), # drop first column 'unnamed'\n",
" encoding='utf-8',\n",
" quoting=csv.QUOTE_NONNUMERIC,\n",
" quotechar='\\'')\n",
"\n",
"# find current iteration/round number\n",
"m = int(df['Round'].max())\n",
"print('Last round number: {}'.format(m))\n",
"print('Number of manually labeled articles: {}'.format(len(df.loc[df['Label'] != -1])))\n",
"print('Number of manually unlabeled articles: {}'.format(len(df.loc[df['Label'] == -1])))"
]
},
{
"cell_type": "code",
"execution_count": 9,
"metadata": {},
"outputs": [],
"source": [
"# initialize dict_limit\n",
"df_labeled = df[df['Label'] != -1]\n",
"\n",
"for index in df_labeled['Index']:\n",
" orgs = dict_art_orgs[index]\n",
" for org in orgs:\n",
" if org in dict_limit:\n",
" dict_limit[org] += 1\n",
" else:\n",
" dict_limit[org] = 1"
]
},
{
"cell_type": "markdown",
"metadata": {},
"source": [
"We now check (and correct if necessary) the next 100 auto-labeled articles."
]
},
{
"cell_type": "code",
"execution_count": 12,
"metadata": {},
"outputs": [],
"source": [
"if m == -1:\n",
" indices = list(range(10000))\n",
"else:\n",
" # indices of recently auto-labeled articles\n",
" indices = df.loc[(df['Estimated'] != -1) & (df['Label'] == -1), 'Index'].tolist()"
]
},
{
"cell_type": "code",
"execution_count": 13,
"metadata": {},
"outputs": [
{
"name": "stdout",
"output_type": "stream",
"text": [
"This round number: 10\n"
]
}
],
"source": [
"# increment round number\n",
"m += 1\n",
"print('This round number: {}'.format(m))"
]
},
{
"cell_type": "code",
"execution_count": 14,
"metadata": {},
"outputs": [],
"source": [
"def pick_random_articles(n, limit = 3):\n",
" ''' pick n random articles, check if company occurences under limit.\n",
" returns list of n indices of the articles we can label next.\n",
" '''\n",
" # labeling list\n",
" list_arts = []\n",
" # article counter\n",
" i = 0\n",
" while i < n:\n",
" # pick random article\n",
" rand_i = random.choice(indices)\n",
" # list of companies in that article\n",
" companies = dict_art_orgs[rand_i]\n",
" if all((dict_limit.get(company) == None) or (dict_limit[company] < limit ) for company in companies): \n",
" for company in companies:\n",
" if company in dict_limit:\n",
" dict_limit[company] += 1\n",
" else:\n",
" dict_limit[company] = 1\n",
" # add article to labeling list\n",
" list_arts.append(rand_i)\n",
" indices.remove(rand_i)\n",
" i += 1\n",
" return list_arts"
]
},
{
"cell_type": "code",
"execution_count": 15,
"metadata": {},
"outputs": [],
"source": [
"# generate new list of article indices for labeling\n",
"batchsize = 100\n",
"label_next = pick_random_articles(batchsize)"
]
},
{
"cell_type": "markdown",
"metadata": {},
"source": [
"PLEASE READ THE FOLLOWING ARTICLES AND ENTER THE CORRESPONDING LABELS:"
]
},
{
"cell_type": "code",
"execution_count": 16,
"metadata": {
"scrolled": true
},
"outputs": [
{
"name": "stdout",
"output_type": "stream",
"text": [
"News article no. 4513.0:\n",
"\n",
"HEADLINE:\n",
"4513 Chatty billionaire Ackman grabs bigger megaphone with Twitter account\n",
"Name: Title, dtype: object\n",
"\n",
"TEXT:\n",
"4513 7:05pm BST Chatty billionaire Ackman grabs bigger megaphone with Twitter account FILE PHOTO: William 'Bill' Ackman, CEO and Portfolio Manager of Pershing Square Capital Management, speaks during the Sohn Investment Conference in New York City, U.S., May 8, 2017. REUTERS/Brendan McDermid By Svea Herbst-Bayliss - BOSTON BOSTON Billionaire investor William Ackman, one of the hedge fund industry's most voluble managers with opinions ranging from how companies should be run to the dangers of sugary drinks, just got himself an even bigger megaphone: a Twitter account. Using the handle, @BillAckman1, the 51-year-old investor is the latest to join the social media network that rivals like Carl Icahn, @Carl_C_Icahn, have used to unveil investment ideas and comment on news about portfolio companies. A spokesman for Ackman confirmed the account is real. So far, the account looks bare-bones. As of Thursday afternoon, there was no picture of the widely photographed fund manager, nor were there any tweets. But Ackman had already accumulated more than 1,000 followers, including many self-described traders and financial journalists. Among the 46 users he followed were former Federal Reserve Chairman Ben Bernanke, tennis star Roger Federer and Goldman Sachs Group Inc ( GS.N ) Chief Executive Officer Lloyd Blankfein. Ackman also follows President Donald Trump on Twitter, and like Trump himself he has a reputation for saying exactly what is on his mind, sometimes ignoring the social norms of polite conversation. After two years of heavy losses that damaged his reputation as a savvy investor, Ackman has said this year that his investment team is working on new ideas while he also goes back to his basics to beef up performance. His Pershing Square Holdings is now nursing losses of 2.5 percent for the year so far after having had gains earlier in the year. (Reporting by Svea Herbst-Bayliss; editing by Lauren Tara LaCapra and Tom Brown)\n",
"Name: Text, dtype: object\n"
]
},
{
"data": {
"application/vnd.jupyter.widget-view+json": {
"model_id": "b79a3a2c8a2a429eb14396b49db6d883",
"version_major": 2,
"version_minor": 0
},
"text/plain": [
"interactive(children=(IntSlider(value=0, description='x', max=2, min=-1), Output()), _dom_classes=('widget-int…"
]
},
"metadata": {},
"output_type": "display_data"
},
{
"name": "stdout",
"output_type": "stream",
"text": [
"0: Unrelated news, 1: Merger,\n",
"2: Other news related to deals, investments and mergers\n",
"___________________________________________________________________________________________________________\n",
"\n",
"\n",
"News article no. 2033.0:\n",
"\n",
"HEADLINE:\n",
"2033 French court takes financial penalty from law protecting workers safety\n",
"Name: Title, dtype: object\n",
"\n",
"TEXT:\n",
"2033 27pm GMT French court takes financial penalty from law protecting workers safety PARIS France's constitutional court took the financial sting out of a new law requiring big companies to make sure their subsidiaries and subcontractors around the world respect human rights and environmental rules, striking down its power to levy fines. The law was intended to improve factory conditions and workers' rights after the collapse of the Rana Plaza factory complex in Bangladesh four years ago, when 1,136 people were killed. The disaster brought demands for greater safety in the world's second-largest exporter of readymade clothes and put pressure on companies buying clothes from Bangladesh to enforce standards. The French law, passed this year after years of negotiation, requires companies with more than 5,000 employees, or 10,000 including their foreign subsidiaries, to publish plans to prevent violations of human rights and environmental regulations in their supply chains. They could have been fined up to 30 million euros (25.61 million pounds) if they failed to put the plans in place. The court on Thursday left intact the requirement for companies to draw up the plans, but ruled that the law was too vague to require fines. Socialist lawmakers pushed the law through parliament in the face of opposition from conservatives and then economy minister Emmanuel Macron, who feared it could make French companies less competitive. Macron, running as an independent, is now favourite to win presidential elections held over two rounds in April and May. Economy Minister Michel Sapin said in a statement that the law should be revised to be made clearer. However, parliament is out of session until a June legislative election in which the ruling Socialists are likely to lose their majority. (Reporting by Emile Picy; writing by Leigh Thomas; Editing by Adrian Croft and Elaine Hardcastle) \n",
"Name: Text, dtype: object\n"
]
},
{
"data": {
"application/vnd.jupyter.widget-view+json": {
"model_id": "fdce76ad5aa94ac4a2eb3b2e980462a8",
"version_major": 2,
"version_minor": 0
},
"text/plain": [
"interactive(children=(IntSlider(value=0, description='x', max=2, min=-1), Output()), _dom_classes=('widget-int…"
]
},
"metadata": {},
"output_type": "display_data"
},
{
"name": "stdout",
"output_type": "stream",
"text": [
"0: Unrelated news, 1: Merger,\n",
"2: Other news related to deals, investments and mergers\n",
"___________________________________________________________________________________________________________\n",
"\n",
"\n",
"News article no. 6961.0:\n",
"\n",
"HEADLINE:\n",
"6961 Irma a 'major event' for insurance industry - Munich Re board member\n",
"Name: Title, dtype: object\n",
"\n",
"TEXT:\n",
"6961 2:44 PM / Updated 23 minutes ago Irma a 'major event' for insurance industry - Munich Re board member Reuters Staff 2 Min Read Torsten Jeworrek, board member of German Reinsurer Munich Re poses before company's annual news conference in Munich, Germany, March 16, 2016. REUTERS/Michaela Rehle/File Photo MONACO (Reuters) - Hurricane Irma is proving to be a major event for Florida and the insurance industry, Torsten Jeworrek, member of the board of the German reinsurance giant Munich Re ( MUVGn.DE ), said on Sunday. The tropical storm is currently sweeping the Florida Keys and is forecast to slowly travel up to the Florida panhandle. Jeworrek and other insurance executives gathered in Monaco for an annual conference to haggle over reinsurance prices and strike underwriting deals. Even though Irma may skirt densely populated Miami, Irma is still a major event for Florida and also a major event for the insurance industry, Jeworrek said. Jeworrek said that Munich Re wasnt especially exposed to Florida. Florida for us is not an attractive state in terms of prices and margins, he said. We are not in the most exposed situation here. Jeworrek, when asked by journalists, also hazarded a rough guess for the insured losses for the global industry of Hurricane Harvey, which struck Texas two weeks ago and caused massive flooding. He said that losses were estimated at between $20 billion and $30 billion, which would put the storm on a scale of Sandy. Reporting by Tom Sims; Editing by Edward Taylor\n",
"Name: Text, dtype: object\n"
]
},
{
"data": {
"application/vnd.jupyter.widget-view+json": {
"model_id": "f16c4b984a9d4a6090965ee8db004ff4",
"version_major": 2,
"version_minor": 0
},
"text/plain": [
"interactive(children=(IntSlider(value=0, description='x', max=2, min=-1), Output()), _dom_classes=('widget-int…"
]
},
"metadata": {},
"output_type": "display_data"
},
{
"name": "stdout",
"output_type": "stream",
"text": [
"0: Unrelated news, 1: Merger,\n",
"2: Other news related to deals, investments and mergers\n",
"___________________________________________________________________________________________________________\n",
"\n",
"\n",
"News article no. 1826.0:\n",
"\n",
"HEADLINE:\n",
"1826 Politics 'tightening grip' on financial market behaviour - BIS\n",
"Name: Title, dtype: object\n",
"\n",
"TEXT:\n",
"1826 Business 05am EST Politics 'tightening grip' on financial market behavior: BIS The headquarters of the Bank for International Settlements (BIS) are seen in Basel, Switzerland, December 15, 2016. REUTERS/Arnd Wiegmann By Marc Jones - LONDON LONDON Investors are focusing more on politics and have become more selective in what they buy, the Bank for International Settlements said on Monday in its latest signal that markets may be breaking free from a dependence on central bank support. The BIS said in its quarterly report that there had been increased discrimination across asset classes, regions and sectors, in contrast to the cross-asset \"herd behavior\" that has characterized recent years. \"Politics tightened its grip over financial markets in the past quarter, reasserting its supremacy over economics,\" the head of the BIS' monetary and economic department, Claudio Borio, said. The BIS, often referred to as the \"central banks' central bank\", acts as a forum for the world's major monetary authorities. Its commentaries on global markets and economics give an insight into policymakers' thinking. Borio called the drop in correlation between asset classes a \"precipitous\" one. Donald Trump's U.S. presidential election win had triggered so-called reflation trades that have seen Wall Street surge and both the dollar and U.S. government bond yields stay high. \"It was as if, after an unexpectedly rich meal, investors had to take their time to digest it. As a result, central banks once more stepped back from the limelight.\" The report also touched on the political uncertainty in Europe, where upcoming French, Dutch, German and potentially Italian elections are influencing sentiment. Euro zone government bond spreads, such as those between France and Germany, have widened. This has also drawn attention to the growing imbalances between weaker and stronger euro zone members in the European Central Bank's TARGET2 payment system. However, the BIS found that the latter had more to do with the mechanical effect of ECB's large-scale asset purchases and that there was no such relationship with credit default swap spreads that investors buy as a protection against default. Research by two BIS economists, meanwhile, struck a note of caution about the degree to which consumer-led growth was driving key economies like Canada, China, France, India, Italy, South Africa, Britain and the United States. \"Consumption-led expansions tend to be significantly weaker than when growth is driven by other components of aggregate demand, often because of the build-up of imbalances.\" It can also be a sign that growth is likely slow in the future, particularly if consumption-led growth goes hand in hand with rising debt. ROCK AND A HARD PLACE Higher bond yields and a stronger dollar also pose risks, especially to emerging markets, though the report acknowledged that many EM equity and credit markets have seen sentiment improve in recent months. Nevertheless Borio said: \"These countries have been caught between a rock and a hard place, the rock being the prospect of a tightening of U.S. monetary policy (even if gradual), an appreciating dollar and their FX currency debt, and the hard place the threat of rising protectionism.\" There had been a slight increase in dollar debt in emerging markets. U.S. dollar credit to non-bank borrowers outside the United States, a key gauge of global liquidity climbed $420 billion to $10.5 trillion in the six months to the end of September. Emerging market borrowers accounted for about a third, or $3.6 trillion. For the first time, the total includes dollar credit extended by banks in China and Russia. At the same time global U.S. dollar funding for banks outside the United States rose to a new high of $9 trillion in September, driven by a $531 billion increase in offshore deposits of dollars since the start of the year. \"These structural changes highlight the increasing role of offshore dollar funding in the global banking system,\" said Hyun Song Shin, the BIS' economic adviser and head of research. For full report click www.bis.org/ (Reporting by Marc Jones; Editing by Toby Chopra) Next In Business News\n",
"Name: Text, dtype: object\n"
]
},
{
"data": {
"application/vnd.jupyter.widget-view+json": {
"model_id": "3a1bddc944c1414ba23465e32dd05ebe",
"version_major": 2,
"version_minor": 0
},
"text/plain": [
"interactive(children=(IntSlider(value=0, description='x', max=2, min=-1), Output()), _dom_classes=('widget-int…"
]
},
"metadata": {},
"output_type": "display_data"
},
{
"name": "stdout",
"output_type": "stream",
"text": [
"0: Unrelated news, 1: Merger,\n",
"2: Other news related to deals, investments and mergers\n",
"___________________________________________________________________________________________________________\n",
"\n",
"\n",
"News article no. 4522.0:\n",
"\n",
"HEADLINE:\n",
"4522 UK to give initial ruling on Fox-Sky takeover by June 29\n",
"Name: Title, dtype: object\n",
"\n",
"TEXT:\n",
"4522 LONDON The British government will rule on whether Rupert Murdoch's proposed takeover of European pay-TV group Sky ( SKYB.L ) needs a thorough investigation by June 29, the Culture and Media Secretary said on Tuesday.The government received reports from the independent media regulator Ofcom and the Competition and Markets Authority watchdog on Tuesday, looking into whether the proposed takeover would give Murdoch's Twenty-First Century Fox ( FOXA.O ) too much control of the media in Britain.Fox has offered to buy the 61 percent of the British pay-TV group it does not already own for $14.8 billion.(Reporting by Kate Holton, Editing by Paul Sandle)\n",
"Name: Text, dtype: object\n"
]
},
{
"data": {
"application/vnd.jupyter.widget-view+json": {
"model_id": "a3eb9807ee0c49deb038d8dbd3268e52",
"version_major": 2,
"version_minor": 0
},
"text/plain": [
"interactive(children=(IntSlider(value=2, description='x', max=2, min=-1), Output()), _dom_classes=('widget-int…"
]
},
"metadata": {},
"output_type": "display_data"
},
{
"name": "stdout",
"output_type": "stream",
"text": [
"0: Unrelated news, 1: Merger,\n",
"2: Other news related to deals, investments and mergers\n",
"___________________________________________________________________________________________________________\n",
"\n",
"\n",
"News article no. 244.0:\n",
"\n",
"HEADLINE:\n",
"244 Ascential to sell Drapers and Nursing Times as it ditches 'heritage' brands - Media\n",
"Name: Title, dtype: object\n",
"\n",
"TEXT:\n",
"244 Ascential, the events and publishing business once known as Emap, is to sell more than a dozen heritage titles including the fashion bible Drapers, Architects Journal and Nursing Times.The sell-off will leave Ascential with just one print title, Retail Week, which it is keeping due to its strategic fit with the digital brands Planet Retail and One Click Retail. The publisher, which made an 800m stock market flotation in February last year, said it was selling off the 13 titles to focus on its largest brands and those with the highest growth potential.The titles, which are being hived off into a separate business while buyers are sought, include Construction News, Health Service Journal, Local Government Chronicle and Middle Eastern Economic Digest (MEED).Ascentials growth strategy continues to be to focus its resources and investment on its largest brands and those with the highest growth potential, said Duncan Painter, chief executive of Ascential. This move will further focus our portfolio on our largest market leading products. The heritage brands, with large, loyal audience communities, provide an exciting opportunity for new owners.The 13 titles made revenue of 63m last year, and about 10m in operating profits, with just under 9m in revenue coming from print advertising.In 2015, Ascential announced it was retiring the venerable Emap brand , which had been a publishing institution for almost 70 years. In the 1980s and 1990s Emap expanded via a series of launches and acquisitions to become a major UK media company encompassing local newspapers, trade and consumer magazines and radio. At the time Ascential said it intended to close the print editions of its titles over a two-year period as part of a focus on digital publishing and events associated with the magazine brands. Ascential continues to own a large array of businesses including the Cannes Lions advertising festival, fashion information business WGSN, environmental data business Groundsure and Glenigan.Painter said Ascentials top five brands accounted for 56% of total group revenues and 71% of adjusted profits.Guardian Media Group, the publisher of the Guardian and Observer, owns a 14.9% stake in Ascential.\n",
"Name: Text, dtype: object\n"
]
},
{
"data": {
"application/vnd.jupyter.widget-view+json": {
"model_id": "983d53b95be24101a416ce0631f55da7",
"version_major": 2,
"version_minor": 0
},
"text/plain": [
"interactive(children=(IntSlider(value=0, description='x', max=2, min=-1), Output()), _dom_classes=('widget-int…"
]
},
"metadata": {},
"output_type": "display_data"
},
{
"name": "stdout",
"output_type": "stream",
"text": [
"0: Unrelated news, 1: Merger,\n",
"2: Other news related to deals, investments and mergers\n",
"___________________________________________________________________________________________________________\n",
"\n",
"\n",
"News article no. 7449.0:\n",
"\n",
"HEADLINE:\n",
"7449 RBI increases foreign investment limits for debt\n",
"Name: Title, dtype: object\n",
"\n",
"TEXT:\n",
"7449 September 28, 2017 / 12:12 PM / Updated 9 hours ago RBI increases foreign investment limits for debt Reuters Staff 1 Min Read People walk past the Reserve Bank of India (RBI) head office in Mumbai, November 9, 2016. REUTERS/Danish Siddiqui/Files MUMBAI (Reuters) - The Reserve Bank of India (RBI) said on Thursday it would raise the foreign investment limits for government bonds by 80 billion rupees ($1.22 billion) to 2.5 trillion rupees for the October-December quarter, after current quotas had been almost fully exhausted. The RBI said the limits for long-term investors in government bonds would be raised by 60 billion rupees, while the limits for general investors would be raised by 20 billion rupees. The banking regulator also raised the limits for state development loans by 62 billion rupees, with 47 billion rupees of that raised for long-term investors and 15 billion rupees for general investors. The changes in limits would be effective as of Oct. 3. ($1 = 65.4850 Indian rupees) \n",
"Name: Text, dtype: object\n"
]
},
{
"data": {
"application/vnd.jupyter.widget-view+json": {
"model_id": "a1a328189ddd4beb99cda3d86d4c8ac0",
"version_major": 2,
"version_minor": 0
},
"text/plain": [
"interactive(children=(IntSlider(value=0, description='x', max=2, min=-1), Output()), _dom_classes=('widget-int…"
]
},
"metadata": {},
"output_type": "display_data"
},
{
"name": "stdout",
"output_type": "stream",
"text": [
"0: Unrelated news, 1: Merger,\n",
"2: Other news related to deals, investments and mergers\n",
"___________________________________________________________________________________________________________\n",
"\n",
"\n",
"News article no. 3332.0:\n",
"\n",
"HEADLINE:\n",
"3332 UPDATE 3-Lazard profit beats estimates as deal-making picks up\n",
"Name: Title, dtype: object\n",
"\n",
"TEXT:\n",
"3332 * First-qtr adj. profit 83 cents/shr vs est 79 cents/shr* Financial advisory revenue up 26.2 pct* Asset management revenue up 16.2 pct* Shares rise 2.3 pct (Adds CEO comment)By Nikhil SubbaApril 27 Lazard Ltd reported a higher-than-expected quarterly profit, mainly driven by growth in its financial advisory business as cross-border M&As got off to the strongest start in a decade.Lazard was involved in several big cross-border deals in 2017, including Johnson & Johnson's $30 billion acquisition of Swiss biotechnology company Actelion and Harman's $8.7 billion buyout by Samsung.Optimism over U.S. President Donald Trump's economic agenda buoyed the stock market and the dollar, making foreign acquisitions cheaper than some U.S. targets.Cross-border M&As totaled $323.1 billion as of March end this year, the highest level since 2007, accounting for 45 percent of total M&A activity, according to preliminary Thomson Reuters data.\"We've increased our market share in M&A globally, with especially high levels of activity in Europe,\" Chief Executive Kenneth Jacobs said on a post-earnings call with analysts.The first half of 2017 continues to look strong relative to last year, he said.Lazard, often seen as a bellwether for the M&A advisory industry, said earnings from its financial advisory business surged 26.2 percent to $335.8 million in the first quarter ended March 31.The company's shares were up 2.3 percent at $45.31 in morning trade.Lazard also benefited from a strong performance in its asset management business, which the company has been building up to diversify its revenue stream.Revenue from the asset management business rose 16.2 percent to $278.4 million, accounting for about 40 percent of the total revenue.Major U.S. banks, including JPMorgan Chase & Co, Goldman Sachs and Morgan Stanley, also reported a jump in investment banking fees for the most recent quarter.Global investment banking fees reached a 10-year high in the first quarter of 2017 with more than half of the $24 billion in total takings coming from North America, according to Thomson Reuters data.Net income attributable to Lazard rose to $107.6 million, or 81 cents per share, in the quarter, from $66.8 million, or 50 cents per share, a year earlier.On an adjusted basis, the company earned 83 cents per share, beating the average analyst estimate of 79 cents, according to Thomson Reuters I/B/E/S.Total revenue rose nearly 25 percent to $637.4 million. (Reporting by Nikhil Subba in Bengaluru; Editing by Saumyadeb Chakrabarty and Sriraj Kalluvila)\n",
"Name: Text, dtype: object\n"
]
},
{
"data": {
"application/vnd.jupyter.widget-view+json": {
"model_id": "c236703122a443ae8d73e42e654efbf7",
"version_major": 2,
"version_minor": 0
},
"text/plain": [
"interactive(children=(IntSlider(value=0, description='x', max=2, min=-1), Output()), _dom_classes=('widget-int…"
]
},
"metadata": {},
"output_type": "display_data"
},
{
"name": "stdout",
"output_type": "stream",
"text": [
"0: Unrelated news, 1: Merger,\n",
"2: Other news related to deals, investments and mergers\n",
"___________________________________________________________________________________________________________\n",
"\n",
"\n",
"News article no. 7115.0:\n",
"\n",
"HEADLINE:\n",
"7115 Tough calls: on the debt crisis frontline with charity StepChange - Money\n",
"Name: Title, dtype: object\n",
"\n",
"TEXT:\n",
"7115 12.48 BST Last modified on 16.49 BST There is a pause, a moments silence and then a deep exhalation before the words finally come. The caller has only been asked her name but it is a big moment, almost like a confession when she finally speaks. Debt is an exhausting secret to keep, but telling a stranger about a problem you can hardly bear to face yourself takes courage. It can take people a few times to actually speak to someone, says Becky Mitchell, a team leader for the helpline run by debt charity StepChange . They call and end up putting the phone down because they are too scared or embarrassed. The helpline is based at StepChanges headquarters on the edge of Leedss sprawling shopping precinct. With rows of spotless desks and headset-wearing advisers bowed over their computers, it looks like a call centre. But there are no sales targets on white boards and a prominent sign dangling from the ceiling reminds staff: We know debt. We understand the causes, but most importantly we know the way out. Jobless and 35,000 in debt: 'I got to the point where I didnt want to live' Read more Its not a call centre, even though we are using call centre equipment, says Dominic Hopkins, one of hundreds of helpline advisers answering calls during the Friday lunchtime rush. If I need to take a break because the last call got to me I can. Without the experienced ear of a StepChange adviser, each call is like listening to a devastatingly sad radio play. In the first six months of 2017 more than 320,000 people contacted StepChange for support with their debt problem with the average unsecured debt pile rising by more than 110 to 14,367 over that timeframe, as they loaded purchases on to credit and store cards or took out personal loans. The accents change as calls are coming in from all over the country but the problems are the same: the plates they had kept spinning for so long have smashed on the floor and they need help to sort through the pieces. To better understand the underlying causes of Britains debt crisis, the Guardian was allowed to listen to calls but not to report any personal details or experiences. For many, the advice handed out by people like Hopkins is the first step towards confronting the financial chaos that has taken over their life, affecting their mental health and in some cases that of their children. An adviser at the StepChange helpline in Leeds. Photograph: Christopher Thomond for the Guardian The most common reason callers give for their dire straits is a change in circumstance, such as the loss of a job or reduced working hours a common theme given the prevalence of zero-hours contracts or illness. Sometimes the crisis is triggered by a domestic emergency such as a broken cooker or washing machine. But sometimes, particularly among the growing number of single parents calling the helpline, the problem is simply that they do not have enough money to live on since their relationship broke down. The replacement of the Child Support Agency with the Child Maintenance Service three years ago put the emphasis on parents agreeing a financial settlement and many callers appear resigned to receiving no financial support from their ex-partner. Often it is the frightening officialdom of a court summons that jolts the caller into action but it can also be the panicked reaction to a bailiffs knock. Young people worst affected by debt crisis, say charities Read more One of the more concerning trends is the increased use of enforcement, particularly through the high court, by the water companies, says Andy Shaw, one of the charitys debt advice coordinators. Historically we might have seen cases where clients had got behind with their water bills progressing as far as a county court judgment but no further. The water companies seem to have become more aggressive in their debt collection methods. After the initial call individuals who want a personal action plan drawn up must call back to have a more detailed conversation so advisers can suggest a course of action, selecting from a list that includes a debt management plan, an individual voluntary arrangement or bankruptcy. At the start of each call, to the optimistic listener, it sounds like the situation might not be too bad as arrears on household essentials such as rent, council tax and utility bills are disclosed. But from then on it just gets messier and messier. Some people havent opened letters for months or even years, and as a result small mistakes, such as a parking ticket or traffic violation, have taken on a life of their own in the court system. Staff at StepChange field calls from the public. Photograph: Christopher Thomond for the Guardian Overdue household bills turn out to be the tip of a debt iceberg and, as the call progresses, the names of lenders change from well-known high street banks and retailers to esoteric brands targeting borrowers with poor credit ratings with high-interest products. The average caller has about six unsecured debts to their name. Some try to keep the tone breezy as they rustle paperwork, glad to be moving forward, but others are close to tears as they pick over their meagre expenditure to figure out ways to reduce their outgoings. Could they stop smoking or only buy clothes for their children? Like the government, StepChange doesnt have a magic money tree and its advicecan be hard for callers to hear, even if they have asked for it. Loan sharks are circling, says one of UK's biggest doorstep lenders Read more Telling someone their only option is bankruptcy thats a very difficult conversation, says Shaw. Some clients are open or resigned to the idea but there are others who havent faced up to the their situation. There is still a significant stigma attached to bankruptcy. If someone is facing repossession proceedings and you are helping them prepare their budget to take to court for their hearing you can see they are not going to be able to afford to keep their home and you have to prepare them for that, adds Shaw. That is one of the harder aspects of the role. StepChange advisers report overwhelmingly that callers want to repay their debts yet a 2016 survey of its clients found that nearly a third of those with credit card debts said none of their creditors would help them by freezing interest, charges or enforcement action. Three-fifths of those who were not shown forbearance went on to borrow more to try to cope with their debt problems. There is good practice from creditors out there and when they forbear stop charging interest, stop ringing up and cease court action people start to recover, says Peter Tutton, head of policy at StepChange. Without forbearance no one does. They borrow more and pay them by not paying someone else, and so the crisis goes on. Topics\n",
"Name: Text, dtype: object\n"
]
},
{
"data": {
"application/vnd.jupyter.widget-view+json": {
"model_id": "3f8157d33ebe433cae5a855270ea7bbb",
"version_major": 2,
"version_minor": 0
},
"text/plain": [
"interactive(children=(IntSlider(value=0, description='x', max=2, min=-1), Output()), _dom_classes=('widget-int…"
]
},
"metadata": {},
"output_type": "display_data"
},
{
"name": "stdout",
"output_type": "stream",
"text": [
"0: Unrelated news, 1: Merger,\n",
"2: Other news related to deals, investments and mergers\n",
"___________________________________________________________________________________________________________\n",
"\n",
"\n",
"News article no. 1306.0:\n",
"\n",
"HEADLINE:\n",
"1306 EQT Infrastructure to buy Lumos Networks in $950 mln deal\n",
"Name: Title, dtype: object\n",
"\n",
"TEXT:\n",
"1306 Deals 9:17am EST EQT Infrastructure to buy Lumos Networks in $950 mln deal Fiber-based service provider Lumos Networks Corp ( LMOS.O ) said on Monday it agreed to be bought by investment firm EQT Infrastructure in an all-cash deal with an enterprise value of about $950 million. The offer of $18 per share represents an 18.2 percent premium to Lumos' closing price of $15.23 on Friday. (Reporting by Anya George; Editing by Leslie AdlerTharakan in Bengaluru) Next In Deals\n",
"Name: Text, dtype: object\n"
]
},
{
"data": {
"application/vnd.jupyter.widget-view+json": {
"model_id": "511cf9a323a841e388981a5e07607168",
"version_major": 2,
"version_minor": 0
},
"text/plain": [
"interactive(children=(IntSlider(value=2, description='x', max=2, min=-1), Output()), _dom_classes=('widget-int…"
]
},
"metadata": {},
"output_type": "display_data"
},
{
"name": "stdout",
"output_type": "stream",
"text": [
"0: Unrelated news, 1: Merger,\n",
"2: Other news related to deals, investments and mergers\n",
"___________________________________________________________________________________________________________\n",
"\n",
"\n",
"News article no. 8115.0:\n",
"\n",
"HEADLINE:\n",
"8115 Beginning of the end for Europe's loose money? ECB to curb stimulus\n",
"Name: Title, dtype: object\n",
"\n",
"TEXT:\n",
"8115 October 25, 2017 / 10:10 PM / a minute ago Wary ECB decides to buy fewer bonds, but do it for longer Balazs Koranyi , Francesco Canepa 5 Min Read FRANKFURT (Reuters) - The European Central Bank on Thursday took its biggest step yet in weaning the euro zone economy off years of stimulus but said the economic outlook was still dependent on its lavish monthly purchases of euro zone bonds. European Central Bank (ECB) President Mario Draghi holds a news conference following the governing council's interest rate decision at the ECB headquarters in Frankfurt, Germany, October 26, 2017. REUTERS/Kai Pfaffenbach It said it will cut the amount of bonds it will buy each month from January, but hedged its bets by extending the lifespan of the bond-buying program to the end of next September. ECB President Mario Draghi called the changes a recalibration and indicated that the banks work in boosting inflation and ensuring growth was not yet done. The bank will cut its bond buys in half to 30 billion euros a month from January, taking comfort in an economic recovery now in its fifth year and moving in sync with peers like the U.S. Federal Reserve and the Bank of England, as they also prepare to tighten policy. But bothered by stubbornly low inflation, the ECB twinned the cut with a nine month extension of the program, opting to buy fewer bonds but for a longer period to reassure investors it will provide accommodation for a long time. Indeed, the ECB even maintained its option to increase or extend the bond buying program, an apparent victory for policy doves who argued that they should not commit to ending the buys since possible euro gains could exacerbate weak inflation. Euro zone bond yields fell after the announcement on what traders said was relief over the programs continuation, albeit it with less buying. At a news conference, Draghi said that the euro zone economic outlook had improved but that core inflation had not yet shown any convincing signs of an upwards trend -- the goal of much of the stimulus. Domestic price pressures are still muted overall and the economic outlook and the path of inflation remain conditional on continued support from monetary policy, he said. Therefore, an ample degree of monetary stimulus remains necessary. Designed nearly three years ago to fight off the threat of deflation, the bond purchase scheme has cut funding costs, revived borrowing and lifted growth, even if it ultimately failed to raise inflation back to the ECBs target of almost 2 percent. If the outlook becomes less favorable, or if financial conditions become inconsistent with further progress towards a sustained adjustment in the path of inflation, the Governing Council stands ready to increase the asset purchase program in terms of size and/or duration, the ECB said in a statement. The ECB added that its main refinancing operations and the three-month longer-term refinancing operations will continue to be conducted as fixed rate tender procedures with full allotment for as long as necessary, and at least until the end of the last reserve maintenance period of 2019. FILE PHOTO: Flags in front of the European Central Bank (ECB) before a news conference at the ECB headquarters in Frankfurt, Germany, April 27, 2017. REUTERS/Kai Pfaffenbach/File Photo Interest rates were left unchanged as expected and the ECB reaffirmed its guidance to keep them unchanged until well after its bond buys end. DEBATE Draghi told the news conference that there had been some difference of views among the rate-setters but that decisions were taken in a positive attitude. Hawks such as Germany and the Netherlands have wanted a commitment to end bond buys, arguing that growth is now above trend and that more purchases do next to nothing for inflation. FILE PHOTO - European Central Bank (ECB) headquarters building is seen in Frankfurt, Germany July 20, 2017. REUTERS/Ralph Orlowski/File Photo Doves on the blocs periphery, however, warn that a rapid exit could tighten financial conditions, undoing years of work. The broader outlook is as good as it has been since before the global financial crisis. An unbroken growth streak has created seven million jobs and the expansion is now self-sustaining, driven by domestic consumption. Banks are better capitalized, lending is growing, and divergence between the core and the periphery, the biggest failure of the currency project, appears to have halted. Inflation, however, is expected to miss the ECBs target of almost 2 percent at least through the decade as labor market slack remains large, keeping a lid on wages and supporting the case for continued support. The ECB is also slowly running out of bonds to buy in some countries, suggesting that market constraints will play an increasingly large role in the policy debate as a major redesign of rules risked sending the wrong signal when the bank is working on an exit strategy. While a nine-month extension at a reduced pace is seen as viable under current rules, another extension could require more creativity as the ECB would be running low on German bonds to buy, a hurdle since purchase need to match the so called capital key, each countrys relative size in the euro zone. Draghi indicated this was not a major concern at the bank. Our program is flexible enough, he said. Reporting by Balazs Koranyi and Francesco Canepa; Editing by Jeremy Gaunt and Hugh Lawson\n",
"Name: Text, dtype: object\n"
]
},
{
"data": {
"application/vnd.jupyter.widget-view+json": {
"model_id": "8e6552b8f4704b99824cfb2a28830537",
"version_major": 2,
"version_minor": 0
},
"text/plain": [
"interactive(children=(IntSlider(value=0, description='x', max=2, min=-1), Output()), _dom_classes=('widget-int…"
]
},
"metadata": {},
"output_type": "display_data"
},
{
"name": "stdout",
"output_type": "stream",
"text": [
"0: Unrelated news, 1: Merger,\n",
"2: Other news related to deals, investments and mergers\n",
"___________________________________________________________________________________________________________\n",
"\n",
"\n",
"News article no. 2280.0:\n",
"\n",
"HEADLINE:\n",
"2280 Fed's Powell says case for a March rate hike 'has come together'\n",
"Name: Title, dtype: object\n",
"\n",
"TEXT:\n",
"2280 4:42pm GMT Fed's Powell says case for a March rate hike 'has come together' Federal Reserve Governor Jerome Powell attends the Federal Reserve Bank of Kansas City's annual Jackson Hole Economic Policy Symposium in Jackson Hole, Wyoming August 28, 2015. REUTERS/Jonathan Crosby WASHINGTON The case at the Federal Reserve for an interest rate increase in March has gained support and will be on the table when policymakers meet later this month, Federal Reserve Governor Jerome Powell said on Thursday. Several Fed policymakers have made the case this week that the U.S. central bank is drawing closer to another rate hike and investors widely expect the move will come at the March 14-15 policy meeting. \"The case for a rate increase in March has come together,\" Powell told U.S. broadcaster CNBC, adding that he felt three rate increases would likely be needed in 2017. Powell pointed to price data released on Wednesday as supporting the view that the Fed was close to meeting both its inflation and employment mandates. The data showed consumer prices in January posted their biggest monthly gain in four years and left the 12-month increase in prices at 1.9 percent, just below the Fed's 2 percent target. \"We're getting very close to our goal,\" Powell said. (Reporting by Jason Lange; Editing by Chizu Nomiyama and Dan Grebler) \n",
"Name: Text, dtype: object\n"
]
},
{
"data": {
"application/vnd.jupyter.widget-view+json": {
"model_id": "eca935c74e1c4927b7eba87514407069",
"version_major": 2,
"version_minor": 0
},
"text/plain": [
"interactive(children=(IntSlider(value=0, description='x', max=2, min=-1), Output()), _dom_classes=('widget-int…"
]
},
"metadata": {},
"output_type": "display_data"
},
{
"name": "stdout",
"output_type": "stream",
"text": [
"0: Unrelated news, 1: Merger,\n",
"2: Other news related to deals, investments and mergers\n",
"___________________________________________________________________________________________________________\n",
"\n",
"\n",
"News article no. 3924.0:\n",
"\n",
"HEADLINE:\n",
"3924 Commodity currencies nurse losses after oil slumps; pound falters\n",
"Name: Title, dtype: object\n",
"\n",
"TEXT:\n",
"3924 SINGAPORE Commodity currencies got off to a shaky start on Friday, having tracked oil prices lower, after a meeting of OPEC countries disappointed some investors who had hoped for larger production cuts.Sterling slipped after an opinion poll showed that Britain's opposition Labor Party has cut the lead of Prime Minister Theresa May's Conservatives to five points ahead of a June 8 national election.The pound fell 0.3 percent to $1.2908 GBP=D3 . That added to the 0.3 percent loss on Thursday, after data showed Britain's economy slowed more than previously thought in the first quarter of the year.Commodity-linked currencies struggled to gain traction after having taken a hit overnight from a tumble in oil prices.OPEC and non-members led by Russia decided on Thursday to extend cuts in oil output by nine months to March 2018 as they battle a global glut of crude after seeing prices halve and revenues drop sharply in the past three years.But oil prices tumbled 5 percent on Thursday as the outcome disappointed some investors who had been hoping for deeper production cuts or a further extension.The Canadian dollar CAD=D4 was last trading at C$1.3484 CAD=D3 per U.S. dollar, down from a five-week high of C$1.3388 touched at one point on Thursday.The Australian dollar AUD=D3 eased 0.1 percent to $0.7447, staying on the defensive after shedding 0.7 percent on Thursday.The weakness in commodity currencies gave some respite to the U.S. dollar, which has been on the defensive after the Federal Reserve's minutes of the May policy meeting released on Wednesday dialled down on some of the more hawkish policy expectations in the market.The greenback's underlying trend doesn't look very strong, however, said Satoshi Okagawa, senior global markets analyst at Sumitomo Mitsui Banking Corporation in Singapore.Okagawa said that one message from the Fed minutes was that the U.S. central bank is likely to take a gradual and flexible approach to reducing its balance sheet.\"That has helped U.S. yields to settle down and has led to weakness in the dollar,\" he added.The dollar index, which measures the greenback against a basket of six major rivals, last traded at 97.307 .DXY.On Monday, the dollar index had touched a low of 96.797, its lowest level since Nov. 9. For the week, the dollar index was clinging to a gain of about 0.2 percent.The greenback has been bruised recently by uncertainty about U.S. economic policies. Markets worried that the political uproar in the wake of U.S. President Donald Trump's firing of James Comey as FBI director could delay efforts by Trump to implement his plans for pro-growth tax reforms.Against the yen, the dollar eased 0.1 percent to 111.74 yen JPY= , staying below a one-week high of 112.13 yen touched on Wednesday.The euro eased 0.1 percent to $1.1199 EUR= , having backed away from a 6-1/2 month high of $1.1268 set this week.The common currency has enjoyed a bull run this month on factors including an ebb in French political concerns and upbeat euro zone data.(Reporting by Masayuki Kitano; Editing by Shri Navaratnam)\n",
"Name: Text, dtype: object\n"
]
},
{
"data": {
"application/vnd.jupyter.widget-view+json": {
"model_id": "ee27fff7e0924f22843ec28dfdd83aff",
"version_major": 2,
"version_minor": 0
},
"text/plain": [
"interactive(children=(IntSlider(value=0, description='x', max=2, min=-1), Output()), _dom_classes=('widget-int…"
]
},
"metadata": {},
"output_type": "display_data"
},
{
"name": "stdout",
"output_type": "stream",
"text": [
"0: Unrelated news, 1: Merger,\n",
"2: Other news related to deals, investments and mergers\n",
"___________________________________________________________________________________________________________\n",
"\n",
"\n",
"News article no. 3034.0:\n",
"\n",
"HEADLINE:\n",
"3034 Federal Reserve approves United Bankshares buyout of Cardinal Bank\n",
"Name: Title, dtype: object\n",
"\n",
"TEXT:\n",
"3034 Deals - Fri Apr 7, 2017 - 4:23pm EDT Federal Reserve approves United Bankshares buyout of Cardinal Bank WASHINGTON The Federal Reserve on Friday said it approved a buyout of Cardinal Financial Corp [CFNLCD.UL] of McLean, Virginia, by United Bankshares Inc ( UBSI.O ) of Charleston, West Virginia. UBV Holding Company, LLC of Fairfax, Virginia, was also part of the acquisition of Cardinal Financial which includes Cardinal Bank. (Reporting By Patrick Rucker)\n",
"Name: Text, dtype: object\n"
]
},
{
"data": {
"application/vnd.jupyter.widget-view+json": {
"model_id": "10514f14684d4d65987ac73c890602b9",
"version_major": 2,
"version_minor": 0
},
"text/plain": [
"interactive(children=(IntSlider(value=0, description='x', max=2, min=-1), Output()), _dom_classes=('widget-int…"
]
},
"metadata": {},
"output_type": "display_data"
},
{
"name": "stdout",
"output_type": "stream",
"text": [
"0: Unrelated news, 1: Merger,\n",
"2: Other news related to deals, investments and mergers\n",
"___________________________________________________________________________________________________________\n",
"\n",
"\n",
"News article no. 5720.0:\n",
"\n",
"HEADLINE:\n",
"5720 Digital wealth manager Flynt gets Swiss banking licence\n",
"Name: Title, dtype: object\n",
"\n",
"TEXT:\n",
"5720 July 21, 2017 / 1:50 PM / in 7 minutes Digital wealth manager Flynt gets Swiss banking licence Brenna Hughes Neghaiwi 2 Min Read ZURICH (Reuters) - Digital wealth management start-up Flynt has received a banking licence from Swiss finance watchdog FINMA, it said on Friday, representing a first for a Swiss financial technology business. The software group's announcement comes on the heels of Swiss private bank Falcon receiving regulatory approval to allow clients to store and trade the virtual currency bitcoin, and marks a further technology inroad in the traditional banking hub which is keen to establish a strong fintech industry. Founded by the chief executive of derivatives specialist Leonteq ( LEON.S ) and based in Switzerland's 'Crypto Valley', Flynt aims to offer wealthy clients a platform from which to manage their asset portfolios, from bank accounts to real estate. \"The banking licence allows Flynt the required independence to approach wealth management in new ways and using innovative technologies, thus enabling private and institutional clients, such as entrepreneurs and family offices, to independently control their total wealth at all times,\" the group said in a statement. Flynt currently employs 43 people. The Commercial Registry of the Canton of Zug confirmed Flynt's registration as a bank and said the information would be published in two to three working days. In recent years, a variety of fintech players have received European banking licences. For many of them this has been because they want to lower the transaction fees they pay to banks, rather than to move into universal banking services themselves. Reporting by Brenna Hughes Neghaiwi and Oliver Hirt; Editing by Mark Potter 0 : 0\n",
"Name: Text, dtype: object\n"
]
},
{
"data": {
"application/vnd.jupyter.widget-view+json": {
"model_id": "13c7e7fbc0a14ecebdef221c6c29aa4f",
"version_major": 2,
"version_minor": 0
},
"text/plain": [
"interactive(children=(IntSlider(value=0, description='x', max=2, min=-1), Output()), _dom_classes=('widget-int…"
]
},
"metadata": {},
"output_type": "display_data"
},
{
"name": "stdout",
"output_type": "stream",
"text": [
"0: Unrelated news, 1: Merger,\n",
"2: Other news related to deals, investments and mergers\n",
"___________________________________________________________________________________________________________\n",
"\n",
"\n",
"News article no. 3633.0:\n",
"\n",
"HEADLINE:\n",
"3633 Sensex hits record high as consumer stocks surge\n",
"Name: Title, dtype: object\n",
"\n",
"TEXT:\n",
"3633 Money 5:11pm IST Sensex pares gains after hitting record peak earlier The Bombay Stock Exchange (BSE) logo is seen at the BSE building in Mumbai, January 25, 2017. REUTERS/Shailesh Andrade/Files Sensex edged up on Friday after touching a record high, its fourth peak in five sessions, as profit-booking pared overall gains led by consumer stocks that rallied after rates for goods and services under a new tax were finalised. The benchmark BSE Sensex closed up 0.10 percent at 30,464.92 after rising as much as 0.91 percent earlier in the session to its highest ever, while the broader NSE Nifty ended 0.02 percent lower at 9,427.90. The BSE index gained 0.92 percent on week, while the NSE index rose 0.30 percent, with both indexes logging their second straight weekly gain. (Reporting by Arnab Paul in Bengaluru; Editing by Biju Dwarakanath)\n",
"Name: Text, dtype: object\n"
]
},
{
"data": {
"application/vnd.jupyter.widget-view+json": {
"model_id": "5870ccd4a7824df1a6a42b726c9930ab",
"version_major": 2,
"version_minor": 0
},
"text/plain": [
"interactive(children=(IntSlider(value=0, description='x', max=2, min=-1), Output()), _dom_classes=('widget-int…"
]
},
"metadata": {},
"output_type": "display_data"
},
{
"name": "stdout",
"output_type": "stream",
"text": [
"0: Unrelated news, 1: Merger,\n",
"2: Other news related to deals, investments and mergers\n",
"___________________________________________________________________________________________________________\n",
"\n",
"\n",
"News article no. 7016.0:\n",
"\n",
"HEADLINE:\n",
"7016 U.S. home sales hit 12-month low, Harvey weighs on Houston\n",
"Name: Title, dtype: object\n",
"\n",
"TEXT:\n",
"7016 2:06 PM / Updated 14 minutes ago U.S. home sales hit 12-month low, Harvey weighs on Houston 5 Min Read The setting sun hits Peter Cooper Village, a residential development, in Manhattan August 24, 2011. REUTERS/Lucas Jackson WASHINGTON (Reuters) - U.S. home resales fell to their lowest in a year in August as Hurricane Harvey depressed activity in Houston and a perennial shortage of properties on the market sidelined buyers. The third straightly monthly decline in sales reported by the National Association of Realtors on Wednesday came on the heels of data on Tuesday showing a drop in homebuilding activity in August. The reports suggest housing will probably weigh on economic growth again in the third quarter. One of the risks out there for the broader economy is that this house of cards comes tumbling down, said Chris Rupkey, chief economist at MUFG in New York. The housing sector is the one area of the economy that just never reached a full recovery from the recession. Existing home sales decreased 1.7 percent to a seasonally adjusted annual rate of 5.35 million units last month. That was the lowest level since August 2016. The NAR said Harvey, which struck Texas in the last week of August, had resulted in sales in the Houston area falling 25 percent on a year-on-year basis. Stripping out Houston, existing home sales would have been unchanged in August, the Realtors group said. Home resales in the South tumbled 5.7 percent last month. Harvey, and a second hurricane, Irma, which slammed Florida early this month could hurt September home sales. Texas and Florida account for more than 18 percent of existing home sales. Sales lost because of delays in closing contracts will be recouped in 2018. U.S. financial markets were little moved by the data as traders awaited the conclusion of the Federal Reserves two-day policy meeting later on Wednesday. The U.S. central bank is expected to announce a plan to start shrinking its $4.2 trillion portfolio of Treasury bonds and mortgage-backed securities, accumulated as the Fed sought to stimulate the economy following the 2008 financial crisis. HOUSING STALLING Even before the hurricanes struck, home sales had virtually stalled amid tight inventories that have resulted in home price increases outpacing wage gains. Sales were up 0.2 percent from August 2016. A second report on Wednesday from the Mortgage Bankers Association showed mortgage applications fell last week As we continue to process the third-quarter housing data, we are gaining confidence in our view that real residential investment will fall during the quarter, said Daniel Silver, an economist at JPMorgan in New York. Housing subtracted 0.26 percentage point from gross domestic product growth in the second quarter. Builders have blamed shortages of labor and land as well as higher costs of building materials for their inability to ramp up construction. Economists and builders say Harvey and Irma could worsen the housing shortage as scarce labor is pulled toward the rebuilding effort and materials are bid higher. A report on Tuesday showed housing completions tumbling to a 10-month low in August. At the same time single-family home permits fell to a three-month low. These developments suggest housing inventory will remain troublesome for a while. The NAR said the number of homes on the market fell 2.1 percent to 1.88 million units in August. Supply was down 6.5 percent from a year ago. Housing inventory has dropped for 27 straight months on a year-on-year basis. As a result, the median house price increased 5.6 percent from a year ago to $253,500 in August. That was the 66th consecutive month of year-on-year price gains. Annual wage growth has not exceed 2.5 percent this year. Underscoring the strong demand for houses, homes sold in August typically stayed on the market for 30 days. That compared to 36 days a year ago. High house prices as a result of tight inventories are sidelining first-time homebuyers. In August, first-time buyers accounted for 31 percent of transactions, well below the 40 percent share that economists and realtors say is needed for a robust housing market. Augusts share of first-time homebuyers was the smallest in a year and was down from 33 percent in July. U.S. home sales: tmsnrt.rs/2ydfvu2\n",
"Name: Text, dtype: object\n"
]
},
{
"data": {
"application/vnd.jupyter.widget-view+json": {
"model_id": "02e0f92ed78342dbbf9e597a0841a945",
"version_major": 2,
"version_minor": 0
},
"text/plain": [
"interactive(children=(IntSlider(value=0, description='x', max=2, min=-1), Output()), _dom_classes=('widget-int…"
]
},
"metadata": {},
"output_type": "display_data"
},
{
"name": "stdout",
"output_type": "stream",
"text": [
"0: Unrelated news, 1: Merger,\n",
"2: Other news related to deals, investments and mergers\n",
"___________________________________________________________________________________________________________\n",
"\n",
"\n",
"News article no. 398.0:\n",
"\n",
"HEADLINE:\n",
"398 PRESS DIGEST- British Business - Jan 16\n",
"Name: Title, dtype: object\n",
"\n",
"TEXT:\n",
"398 29pm EST PRESS DIGEST- British Business on the business pages of British newspapers. The Times Donald Trump: I'll do a deal with Britain Donald Trump will offer Britain a quick and fair trade deal with America within weeks of taking office to help make Brexit a \"great thing\". bit.ly/2jzvQCI Co-op Bank takes 50 mln stg pension hit Co-op Bank has agreed to pump millions into the pension scheme of the Britannia Building Society. The struggling lender will hand the group's pension trustees 50 million pound over the next seven years, as well as placing a 137 million pound portfolio of top-rated mortgages or debt into a custodian account with another bank as security for the scheme. bit.ly/2joHN0e The Guardian BlackRock demands cuts to executive pay and bonuses BlackRock Inc, the world's largest asset manager, is threatening to unleash a fresh wave of shareholder rebellions in the UK unless Britain's largest companies rein in excessive boardroom pay. BlackRock is demanding cuts to director pension entitlements and an end to huge pay rises as UK companies prepare to put their latest pay deals to shareholders. bit.ly/2jT6Hq0 Fischer Energy joins UK retail market with 100% renewable offer The ranks of the 40-plus energy companies jostling for householders' business will swell on Monday with the launch of a new supplier that delivers electricity from windfarms. Fischer Energy hopes to sign up 40,000 customers in the first year to its single variable tariff, with renewable power bought from Denmark's Dong Energy. bit.ly/2jUM4tr The Telegraph Wellesley to freeze crowdfunding campaign as it courts City investors Peer-to-peer property lender Wellesley is suspending its crowd-funding efforts as it courts City investors to help fund its expansion. Wellesley is set to pause its campaign that asked supporters to contribute to a 1.5 million pound investment round, which began about a month ago and had received less than 200,000 in pledges. bit.ly/2jNQyOv Sky News Jeremy Hunt to get 15 million stg payout from Hotcourses sale amid NHS crisis Jeremy Hunt, the Health Secretary, is to land more than 15 million pounds from an education business he helped set up, even as he fights an increasingly intense political battle over the NHS's latest winter crisis. bit.ly/2iuPH44 Chinese investor buys stake in British aviation pioneer Gilo A British aerospace company dubbed 'the Disneyland of engineering' is selling a big stake to Chinese investors in a further sign of the demand for UK technology from overseas rivals. Gilo Industries Group, a Dorset-based manufacturer of rotary engines for unmanned aeronautical vehicles and jet-backpacks, has struck a deal with Kuang-Chi, a conglomerate headquartered in Shenzhen, southern China. bit.ly/2jxwNLL Shareholders to seek part of Peabody Energy reorganization -Barron's NEW YORK, Jan 15 Shareholders of bankrupt Peabody Energy Corp will seek this week to be part of a reorganized company whose prospects have brightened after a recent surge in coal prices and its stock, Barron's reported in its Sunday issue.\n",
"Name: Text, dtype: object\n"
]
},
{
"data": {
"application/vnd.jupyter.widget-view+json": {
"model_id": "028d3e6d6b96456d94a6cf6e22f13c85",
"version_major": 2,
"version_minor": 0
},
"text/plain": [
"interactive(children=(IntSlider(value=0, description='x', max=2, min=-1), Output()), _dom_classes=('widget-int…"
]
},
"metadata": {},
"output_type": "display_data"
},
{
"name": "stdout",
"output_type": "stream",
"text": [
"0: Unrelated news, 1: Merger,\n",
"2: Other news related to deals, investments and mergers\n",
"___________________________________________________________________________________________________________\n",
"\n",
"\n",
"News article no. 2644.0:\n",
"\n",
"HEADLINE:\n",
"2644 Safran confirms talks to buy Zodiac Aerospace continue\n",
"Name: Title, dtype: object\n",
"\n",
"TEXT:\n",
"2644 PARIS, April 28 Safran said on Friday its talks to buy Zodiac Aerospace were continuing after the French company issued a new profit warning.\"We confirm that the discussions continue,\" a spokeswoman for Safran said.Reporting a first-half loss and lower full-year forecasts earlier on Friday, Zodiac Aerospace said it hoped to conclude the $9 billion merger deal with Safran but that it was also studying an alternative. (Reporting by Cyril Altmeyer, Tim Hepher, Editing by Dominique Vidalon)\n",
"Name: Text, dtype: object\n"
]
},
{
"data": {
"application/vnd.jupyter.widget-view+json": {
"model_id": "48dc0fe738884942b5a24dd4186e4abb",
"version_major": 2,
"version_minor": 0
},
"text/plain": [
"interactive(children=(IntSlider(value=0, description='x', max=2, min=-1), Output()), _dom_classes=('widget-int…"
]
},
"metadata": {},
"output_type": "display_data"
},
{
"name": "stdout",
"output_type": "stream",
"text": [
"0: Unrelated news, 1: Merger,\n",
"2: Other news related to deals, investments and mergers\n",
"___________________________________________________________________________________________________________\n",
"\n",
"\n",
"News article no. 1191.0:\n",
"\n",
"HEADLINE:\n",
"1191 Cerberus to unveil proposal for Brazil's Oi in March -source\n",
"Name: Title, dtype: object\n",
"\n",
"TEXT:\n",
"1191 By Tatiana Bautzer - SAO PAULO SAO PAULO Feb 9 A Cerberus Capital Management LP-led group of investors plans to unveil an alternative in-court restructuring proposal for debt-laden Brazilian phone carrier Oi SA as early as next month, right after finalizing due diligence procedures, a person with direct knowledge of the plan said on Friday.New York-based Cerberus is still gauging the size of Oi's future equity needs and how the carrier's creditors will have to be compensated, said the person, who asked for anonymity because the process is underway. Oi filed for Brazil's largest-ever bankruptcy protection in June.Cerberus, which specializes in private equity and distressed debt investments, could still arrange partners to advance on the Oi proposal should the company's shareholders and bondholders agree to discuss it, the person added. Oi's shareholders and creditors are locked in a battle for control of Brazil's No. 4 wireless carrier, which is saddled with 65.4 billion reais ($21 billion) of debt.The media office of Cerberus declined to comment. Reuters reported Cerberus' interest in Oi on Dec. 6.Oi did not immediately comment.Cerberus is the only potential bidder that has formally undertaken due diligence procedures, because it is has not partnered with Oi's creditors, the person said.Billionaire Paul Singer's Elliott Management Corp recently made an informal proposal committing to invest around $3 billion into Oi. The board of Oi recently shunned Elliott's proposal and another put forward by Egyptian billionaire Naguib Sawiris and a group of Oi bondholders led by Moelis & Co.Common shares of Oi rose 2.9 percent to 3.74 reais on Friday, extending gains to 47 percent this year.($1 = 3.1150 reais) (Editing by Guillermo Parra-Bernal and Meredith Mazzilli)\n",
"Name: Text, dtype: object\n"
]
},
{
"data": {
"application/vnd.jupyter.widget-view+json": {
"model_id": "76288f96071149e5965ebde6ea44640c",
"version_major": 2,
"version_minor": 0
},
"text/plain": [
"interactive(children=(IntSlider(value=2, description='x', max=2, min=-1), Output()), _dom_classes=('widget-int…"
]
},
"metadata": {},
"output_type": "display_data"
},
{
"name": "stdout",
"output_type": "stream",
"text": [
"0: Unrelated news, 1: Merger,\n",
"2: Other news related to deals, investments and mergers\n",
"___________________________________________________________________________________________________________\n",
"\n",
"\n",
"News article no. 6073.0:\n",
"\n",
"HEADLINE:\n",
"6073 U.S. farmers confused by Monsanto weed killer's complex instructions\n",
"Name: Title, dtype: object\n",
"\n",
"TEXT:\n",
"6073 CHICAGO, Aug 21 (Reuters) - With Monsanto Co's latest flagship weed killer, dicamba, banned in Arkansas and under review by U.S. regulators over concerns it can drift in the wind, farmers and weed scientists are also complaining that confusing directions on the label make the product hard to use safely.Dicamba, sold under different brand names by BASF and DuPont, can vaporize under certain conditions and the wind can blow it into nearby crops and other plants. The herbicide can damage or even kill crops that have not been genetically engineered to resist it.To prevent that from happening, Monsanto created a 4,550-word label with detailed instructions. Its complexity is now being cited by farmers and critics of the product. It was even singled out in a lawsuit as evidence that Monsanto's product may be virtually impossible to use properly.At stake for Monsanto is the fate of Xtend soybeans, it largest ever biotech seed launch.Monsanto's label, which the U.S. Environmental Protection Agency (EPA) reviewed and approved, instructs farmers to apply the company's XtendiMax with VaporGrip on its latest genetically engineered soybeans only when winds are blowing at least 3 miles per hour, but not more than 15 mph.Growers must also spray it from no higher than 24 inches above the crops. They must adjust spraying equipment to produce larger droplets of the herbicide when temperatures creep above 91 degrees Fahrenheit. After using the product, they must rinse out spraying equipment. Three times.\"The restriction on these labels is unlike anything that's ever been seen before,\" said Bob Hartzler, an agronomy professor and weed specialist at Iowa State University.The label instructions are also of interest to lawyers for farmers suing Monsanto, BASF and DuPont over damage they attribute to the potent weed killer moving off-target to nearby plants.A civil lawsuit filed against the companies in federal court in St. Louis last month alleged it might be impossible to properly follow the label. Restrictions on wind speed, for example, do not allow for timely sprayings over the top of growing soybeans, according to the complaint.The companies failed \"to inform the EPA that their label instructions were unrealistic,\" the lawsuit said.Monsanto said that while its label is detailed, it is not difficult to follow.\"It uses very simple words and terms,\" Scott Partridge, Monsanto's vice president of strategy, told Reuters. \"They are not complex in a fashion that inhibits the ability of making a correct application.\"BASF and DuPont could not immediately be reached for comment on the lawsuit on Friday.Monsanto and BASF have said they trained thousands of farmers to properly use dicamba. Monsanto also said the crop damage seen this summer likely stemmed largely from farmers who did not follow label instructions.Those detailed instructions led some growers and professional spraying companies to avoid the herbicide altogether.Richard Wilkins, a Delaware farmer, abandoned plans to plant Monsanto's dicamba-resistant soybeans, called Xtend, this year because a local company would not spray the weed killer.\"The clean-out procedure that you have to go through to ensure that you don't have any residue remaining in the applicator equipment is quite onerous,\" he said.In Missouri, farm cooperative MFA Inc said it stopped spraying dicamba for customers last month partly because high temperatures made it too difficult to follow the label.STUDYING WIND, TEMPERATURES The EPA is reviewing label instructions following the reports of crop damage.Monsanto has a lot riding on the EPA review. The company's net sales increased 1 percent to $4.2 billion in the quarter ended on May 31 from a year ago, partly due to higher U.S. sales of Xtend soybeans. Since January, the company has increased its estimate for 2017 U.S. plantings to 20 million acres from 15 million.One confusing requirement on its dicamba label, farmers said, prohibits spraying during a \"temperature inversion,\" a time when a stable atmosphere can increase the potential for the chemical to move to fields that are vulnerable.To follow the rule, some growers used their smart phones to check weather websites for wind speeds and information on inversions.\"You have to be a meteorologist to get it exactly right,\" said Hunter Raffety, a Missouri farmer who believes dicamba damaged soybeans on his farm that could not resist the chemical. (Editing by David Gregorio)\n",
"Name: Text, dtype: object\n"
]
},
{
"data": {
"application/vnd.jupyter.widget-view+json": {
"model_id": "eba9f069595c45b7b2f37c24a9d0fea7",
"version_major": 2,
"version_minor": 0
},
"text/plain": [
"interactive(children=(IntSlider(value=0, description='x', max=2, min=-1), Output()), _dom_classes=('widget-int…"
]
},
"metadata": {},
"output_type": "display_data"
},
{
"name": "stdout",
"output_type": "stream",
"text": [
"0: Unrelated news, 1: Merger,\n",
"2: Other news related to deals, investments and mergers\n",
"___________________________________________________________________________________________________________\n",
"\n",
"\n",
"News article no. 67.0:\n",
"\n",
"HEADLINE:\n",
"67 BRIEF-Jeld-Wen Holding sees IPO of 25 mln shares priced at $21-$23 per share\n",
"Name: Title, dtype: object\n",
"\n",
"TEXT:\n",
"67 30am EST BRIEF-Jeld-Wen Holding sees IPO of 25 mln shares priced at $21-$23 per share Jan 17 (Reuters) - * Jeld-Wen Holding Inc sees IPO of 25 million shares priced between $21.00 and $23.00 per share - SEC filing * Jeld-Wen Holding Inc says it is selling 22.3 million shares of common stock, while selling stockholders are selling 2.7 million shares of common stock * Jeld-Wen Holding Inc says it will not receive any of the proceeds from the shares of common stock sold by the selling stockholders * Jeld-Wen Holding - After completion of offering, funds managed by Onex Partners manager and its affiliates will own about 63.4 percent of co's common stock Source text: bit.ly/2j4dmJL EU mergers and takeovers (Jan 17) BRUSSELS, Jan 17 The following are mergers under review by the European Commission and a brief guide to the EU merger process:\n",
"Name: Text, dtype: object\n"
]
},
{
"data": {
"application/vnd.jupyter.widget-view+json": {
"model_id": "d388d9e6dcc2473fbdb6c1e8475dfce5",
"version_major": 2,
"version_minor": 0
},
"text/plain": [
"interactive(children=(IntSlider(value=2, description='x', max=2, min=-1), Output()), _dom_classes=('widget-int…"
]
},
"metadata": {},
"output_type": "display_data"
},
{
"name": "stdout",
"output_type": "stream",
"text": [
"0: Unrelated news, 1: Merger,\n",
"2: Other news related to deals, investments and mergers\n",
"___________________________________________________________________________________________________________\n",
"\n",
"\n",
"News article no. 5585.0:\n",
"\n",
"HEADLINE:\n",
"5585 China securities regulator says will steadily expand opening of capital markets\n",
"Name: Title, dtype: object\n",
"\n",
"TEXT:\n",
"5585 July 26, 2017 / 3:22 AM / 4 hours ago China securities regulator says will steadily expand opening of capital markets 1 Min Read FILE PHOTO: Men look at an electronic board showing stock market information at a brokerage house in Beijing, China January 5, 2016. Kim Kyung-Hoon/File Photo BEIJING (Reuters) - China's securities regulator said Wednesday it will regulate and expand access to capital markets for all types of investors, while also encouraging more long-term institutional participation. The China Securities Regulatory Commissions said in a post on its website that it will maintain \"normalisation\" of initial public offerings, improve the delisting mechanism and steadily expand the opening of China's capital markets. Reporting by Stella Qiu and Elias Glenn; Editing by Eric Meijer 0 : 0 \n",
"Name: Text, dtype: object\n"
]
},
{
"data": {
"application/vnd.jupyter.widget-view+json": {
"model_id": "3867db35085a46c6ac03708f1aba1a6c",
"version_major": 2,
"version_minor": 0
},
"text/plain": [
"interactive(children=(IntSlider(value=0, description='x', max=2, min=-1), Output()), _dom_classes=('widget-int…"
]
},
"metadata": {},
"output_type": "display_data"
},
{
"name": "stdout",
"output_type": "stream",
"text": [
"0: Unrelated news, 1: Merger,\n",
"2: Other news related to deals, investments and mergers\n",
"___________________________________________________________________________________________________________\n",
"\n",
"\n",
"News article no. 8782.0:\n",
"\n",
"HEADLINE:\n",
"8782 Scout24 targets faster growth after fixing property platform\n",
"Name: Title, dtype: object\n",
"\n",
"TEXT:\n",
"8782 November 14, 2017 / 2:07 PM / in 2 hours Scout24 targets faster growth after fixing property platform Reuters Staff * CEO targets revenue and profit growth in mid-teen percentages * On lookout for real estate deal in the Netherlands * Says Germany is in a controlled, structural property boom By Douglas Busvine FRANKFURT, Nov 14 (Reuters) - German online property and autos marketplace Scout24 is fixing glitches on its real estate platform and is on the lookout for acquisitions to boost revenue and profit growth, Chief Executive Greg Ellis told Reuters. Scout24 last week reported third-quarter core profits from operating activities up nearly 8 percent, driven by a 27 percent increase at its AutoScout24 division, but its property site ImmobilienScout24 posted a gain of less than 4 percent. Addressing inherited problems with the acquired property platform has delayed its growth push by about 18 months, Ellis said in a telephone interview. At ImmobilienScout24 we have been doing so much product, technical and business re-engineering during the past two years, he said. Somewhere from 2019 to 2020 wed be really wanting the group revenue (growth) to be up towards the mid-teens. Frankfurt-listed Scout24 competes with units of Axel Springer and eBay as real estate sale and rental markets increasingly move online, along with sales of new and used cars. The company sees opportunities for an additional 20 billion euros ($23 billion) of business from activities including services such as financing. STRUCTURAL BOOM Scout24, with a market value of 3.6 billion euros, is part of Germanys SDAX small-cap index but has an unusually high free float of 87 percent after strategic investors such as Deutsche Telekom sold their stakes. It operates in five core markets -- Germany, Italy, Belgium, the Netherlands and Austria -- and has chunky core margins of more than 50 percent, enabling it to invest and pounce on opportunistic acquisitions. Ellis, an Australian who joined Scout24 from REA Group in 2014, said he would be interested in a real-estate acquisition in the Netherlands after its recently acquired autos product became the market leader there. We certainly think weve got fill-in acquisitions ahead of us, he said. The company is testing analytics on its German autos platform, which would give users detailed guidance on whether a vehicle offers value for money based on parameters such as mileage, condition and other specifications. Wed like some of this stuff to become available progressively through 2018, he said. Ellis said the new car market Germany had taken a hit from the Dieselgate scandal in which manufacturers had been caught cheating on emissions tests, but the second-hand market has changed little in the past few years. Germanys real estate market, meanwhile, is in a controlled, structural boom, he said, helped by accelerating urbanisation and growing desire among Germans for owning their own homes rather than renting. You can borrow money in Germany at something from 1.5-2.5 percent fixed for 15 to 20 years, (so) it really doesnt make sense to rent, he said. Germans now understand that property is really affordable. ($1 = 0.8576 euros) (Reporting by Douglas Busvine; Editing by David Goodman)\n",
"Name: Text, dtype: object\n"
]
},
{
"data": {
"application/vnd.jupyter.widget-view+json": {
"model_id": "a8f323b9506d422d9a7588676c754159",
"version_major": 2,
"version_minor": 0
},
"text/plain": [
"interactive(children=(IntSlider(value=0, description='x', max=2, min=-1), Output()), _dom_classes=('widget-int…"
]
},
"metadata": {},
"output_type": "display_data"
},
{
"name": "stdout",
"output_type": "stream",
"text": [
"0: Unrelated news, 1: Merger,\n",
"2: Other news related to deals, investments and mergers\n",
"___________________________________________________________________________________________________________\n",
"\n",
"\n",
"News article no. 3387.0:\n",
"\n",
"HEADLINE:\n",
"3387 Competition for gamblers' money clouds outlook for Paddy Power Betfair\n",
"Name: Title, dtype: object\n",
"\n",
"TEXT:\n",
"3387 16am BST Competition for gamblers' money clouds outlook for Paddy Power Betfair By Padraic Halpin - DUBLIN DUBLIN Paddy Power Betfair ( PPB.I ) ( PPB.L ) said it was cautious on revenue growth in its main European market due to a \"pretty extreme\" level of competition, even as it almost doubled earnings across the group in the first quarter. Competition has intensified among gambling firms seeking to offset higher taxes and tighter regulation with increased revenues, leading to a flurry of mergers including last year's 6 billion pound tie-up between online betting exchange Betfair and Paddy Power, which operates shops as well as an online business. The ensuing aggressive pricing and promotional activity has made it tougher to win new business, Paddy Power Betfair Chief Executive Breon Corcoran said on Wednesday, meaning the Dublin-headquartered firm was \"a little bit behind where we hoped\" on increasing its customer numbers in Europe. \"The competitive nature of this industry right now is pretty extreme. What we have to remind our shareholders and indeed our competitors is that we have plenty of appetite to compete,\" Corcoran told an analyst call. \"What's not entirely clear is whether we're being rational or whether we're not competing hard enough... If this industry continues to be as competitive as it is, we have to give ourselves the flexibility to increase investment.\" Shares in the group were 1.8 percent lower at 1000 GMT. Its main competitors include Ladbrokes Coral Group ( LCL.L ), itself the product of a merger, and William Hill ( WMH.L ) which has so far been left off the M&A merry-go-round. Corcoran used the US Masters golf tournament to illustrate the changes in the market where Paddy Power Betfair had expected to be alone in offering customers the chance to win if their pick finished in the top 8 but were among four bookmakers to offer the more generous market. The group's online revenue in Europe, which accounts for more than half of total revenue, increased by 12 percent on a constant currency basis in the first quarter, driven by improved sports results and growth in the amount of money staked. Overall revenue growth of 15 percent, combined with merger-related cost savings and operational efficiencies helped push underlying core earnings or EBITDA up 87 percent to 111 million pounds. Corcoran said it was too early to give any guidance for the year but that sports results had favoured customers since the end of March and overall gross win margins were weak in April. (Editing by Keith Weir)\n",
"Name: Text, dtype: object\n"
]
},
{
"data": {
"application/vnd.jupyter.widget-view+json": {
"model_id": "0628923d6cab4debb373a1d877860667",
"version_major": 2,
"version_minor": 0
},
"text/plain": [
"interactive(children=(IntSlider(value=0, description='x', max=2, min=-1), Output()), _dom_classes=('widget-int…"
]
},
"metadata": {},
"output_type": "display_data"
},
{
"name": "stdout",
"output_type": "stream",
"text": [
"0: Unrelated news, 1: Merger,\n",
"2: Other news related to deals, investments and mergers\n",
"___________________________________________________________________________________________________________\n",
"\n",
"\n",
"News article no. 8636.0:\n",
"\n",
"HEADLINE:\n",
"8636 Nepal recovers 'most' of the money hacked from bank\n",
"Name: Title, dtype: object\n",
"\n",
"TEXT:\n",
"8636 12 PM / in 38 minutes Nepal recovers 'most' of the money hacked from bank Gopal Sharma 3 Min Read KATHMANDU (Reuters) - A bank in Nepal has recovered most of the money stolen after its SWIFT server was hacked last month, two officials, involved in the investigation of the Himalayan nations first reported cyber heist, said on Tuesday. A man using a mobile phone passes the logo of global secure financial messaging services cooperative SWIFT at the SIBOS banking and financial conference in Toronto, Ontario, Canada October 19, 2017. REUTERS/Chris Helgren Cyber attackers made about $4.4 million (3.3 million) in illegal transfers from NIC Asia Bank, based in the Nepali capital, by hacking the SWIFT server at the private bank, to other countries, including the United States, Britain, China, Japan and Singapore last month when the bank was closed for annual festival holidays, Nepali media said. Chinta Mani Shivakoti, a deputy governor of the Central Nepal Rastra Bank (NRB) said the regulator had requested authorities in these countries not to release the payment of the stolen amount as soon as it was informed about the theft and had launched moves to recover it. Most of the stolen amount of money has been recovered, Shivakoti told Reuters. A sum of amount $580,000 is yet to be recovered, he said without giving details. The chief of Nepal polices Central Investigation Bureau Pushkar Karki said his agency was investigating into how the passcode of the banks computer system had been stolen and who was involved in it. We are still working on this, Karki told Reuters. Nepali media reports said consultancy firm KPMG was also involved in the investigation. The incident showed there are some weaknesses with the IT department of the bank. Once the investigation report is available well provide guidelines to avoid such incidents in future, Shivakoti of the central bank said. SWIFT said it does not comment on individual entities. A SWIFT spokesperson said: When a case of potential fraud is reported to us, we offer our assistance to the affected user to help secure its environment. We subsequently share relevant information on an anonymised basis with the community. This preserves confidentiality, whilst assisting other SWIFT users to take appropriate measures to protect themselves. We have no indication that our network and core messaging services have been compromised. Officials from NIC Asia Bank, one of dozens of private banks in Nepal, were not immediately available for comments. Hackers stole $81 million from the Bangladesh central bank in February last year after gaining access to its SWIFT terminal and the emergence of other successful and unsuccessful hacks rocked faith in a system previously seen as totally secure. Reporting by Gopal Sharma, additional reporting by Jeremy Wagstaff in SINGAPORE; Editing by Sanjeev Miglani and Richard Balmforth\n",
"Name: Text, dtype: object\n"
]
},
{
"data": {
"application/vnd.jupyter.widget-view+json": {
"model_id": "aa9500452f764b9c99a234702dfc194e",
"version_major": 2,
"version_minor": 0
},
"text/plain": [
"interactive(children=(IntSlider(value=0, description='x', max=2, min=-1), Output()), _dom_classes=('widget-int…"
]
},
"metadata": {},
"output_type": "display_data"
},
{
"name": "stdout",
"output_type": "stream",
"text": [
"0: Unrelated news, 1: Merger,\n",
"2: Other news related to deals, investments and mergers\n",
"___________________________________________________________________________________________________________\n",
"\n",
"\n",
"News article no. 1041.0:\n",
"\n",
"HEADLINE:\n",
"1041 SoftBank to buy Fortress Investment for $3.3 billion\n",
"Name: Title, dtype: object\n",
"\n",
"TEXT:\n",
"1041 Deals - Wed Feb 15, 2017 - 1:02am GMT SoftBank to buy Fortress Investment for $3.3 billion A man talks on the phone as he stand in front of an advertising poster of the SoftBank telecommunications company in Tokyo October 16, 2015. REUTERS/Thomas Peter TOKYO Japan's SoftBank Group Corp ( 9984.T ) has agreed to buy Fortress Investment Group LLC ( FIG.N ), a private-equity firm and asset manager, for about $3.3 billion in cash - a surprise move for a group that has to date focused on telecoms and technology. Led by charismatic founder Masayashi Son, SoftBank has made unpredictable moves in the past, not least its decision last October to set up a $100 billion technology investment fund with Saudi Arabia. A New York-listed asset manager, Fortress's investments span real estate, hedge funds and private equity. It had $70 billion in investments under management at the end of September 2016. In the wake of the global financial crisis, Fortress bought bad loans in Italy and has a track record in Japan, where it bought hotels held by Lehman Brothers after the bank collapsed in 2008. It is one of few global foreign investors with funds that are targeted at Japanese assets. SoftBank hired one of Fortress's senior executives, Rajeev Misra, in 2014. Misra now runs SoftBank's blockbuster fund - a fund the Fortress deal is designed to boost. The companies said Fortress principals would continue to lead the investment manager, which will operate within SoftBank as an independent business, based in New York. Senior fund managers would also remain with the group, it said. Fortress shareholders will receive $8.08 per share, a premium of 38.6 percent to the closing price on Feb. 13. Fortress plans to maintain its current base dividend of 9 cents per share for the fourth quarter of 2016, the company said in a statement. SoftBank shares ticked higher in early Tokyo trade on Wednesday, up 0.5 percent but slightly underperforming a broader market rise of 1 percent. (Reporting by Subrat Patnaik in Bengaluru and Clara Ferreira Marques in Singapore; Editing by Stephen Coates) Next In Deals\n",
"Name: Text, dtype: object\n"
]
},
{
"data": {
"application/vnd.jupyter.widget-view+json": {
"model_id": "70406ba409af476a98e58ea537fd5a21",
"version_major": 2,
"version_minor": 0
},
"text/plain": [
"interactive(children=(IntSlider(value=0, description='x', max=2, min=-1), Output()), _dom_classes=('widget-int…"
]
},
"metadata": {},
"output_type": "display_data"
},
{
"name": "stdout",
"output_type": "stream",
"text": [
"0: Unrelated news, 1: Merger,\n",
"2: Other news related to deals, investments and mergers\n",
"___________________________________________________________________________________________________________\n",
"\n",
"\n",
"News article no. 424.0:\n",
"\n",
"HEADLINE:\n",
"424 British Airways to fly all customers to destinations during strike\n",
"Name: Title, dtype: object\n",
"\n",
"TEXT:\n",
"424 Thu Jan 19, 2017 - 10:06am GMT British Airways to fly all customers to destinations during strike British Airways logos are seen on tailfins at Heathrow Airport in west London, Britain May 12, 2011. REUTERS/Toby Melville/Files LONDON British Airways said that all its passengers would be flown to their destinations during a 72-hour pay strike by some cabin crew which began on Thursday. BA, owned by International Airlines Group ( ICAG.L ), said a small number of its short-haul flights from Heathrow would be merged resulting in one percent of its total schedule being canceled over the three day period. \"Our flight program is running as planned and we are going to fly all customers to their destinations,\" BA said in a statement. All BA's long-haul services to and from Heathrow, Britain and Europe's busiest airport, plus its flights to and from London's Gatwick airport and London City will all operate as normal, the airline said. The walk-out is being staged by BA's \"mixed fleet\" cabin crew, who make up around 15 percent of the airline's total cabin staff. Those involved, represented by the Unite Union, have poorer terms and conditions than some longer-serving staff and rejected a pay offer shortly before Christmas. They have already staged a 48-hour strike earlier this month. (Reporting by Sarah Young; Editing by Keith Weir) Up Next\n",
"Name: Text, dtype: object\n"
]
},
{
"data": {
"application/vnd.jupyter.widget-view+json": {
"model_id": "4704c1ace3ca4646a7d975f82262d0d2",
"version_major": 2,
"version_minor": 0
},
"text/plain": [
"interactive(children=(IntSlider(value=0, description='x', max=2, min=-1), Output()), _dom_classes=('widget-int…"
]
},
"metadata": {},
"output_type": "display_data"
},
{
"name": "stdout",
"output_type": "stream",
"text": [
"0: Unrelated news, 1: Merger,\n",
"2: Other news related to deals, investments and mergers\n",
"___________________________________________________________________________________________________________\n",
"\n",
"\n",
"News article no. 6564.0:\n",
"\n",
"HEADLINE:\n",
"6564 Gold steady ahead of central bank speeches at Jackson Hole\n",
"Name: Title, dtype: object\n",
"\n",
"TEXT:\n",
"6564 FILE PHOTO: An employee of Deutsche Bundesbank tests a gold bar with an ultrasonic appliance during a news conference in Frankfurt January 16, 2013. Lisi Niesner/File Photo NEW YORK/JOHANNESBURG (Reuters) - Gold firmed on Friday after U.S. Federal Reserve Chair Janet Yellen made no mention of monetary policy in her much-anticipated speech, while investors awaited clues from European Central Bank President Mario Draghi.U.S. short-term interest rate futures rose slightly, reflecting reduced expectations that the Fed will raise interest rates further this year, after Yellen skipped mention of it when speaking in Jackson Hole, Wyoming.\"That relieved the market of a little bit of concern about that,\" said Bill O'Neill, partner with Logic Advisors in Saddle River, New Jersey, adding this was positive for gold prices and pressured the dollar. [USD/]\"She clearly came off dovish, saying maybe we need a few changes in bank regulation, but they should be modest.\"Gold is highly sensitive to rising interest rates, which increase the opportunity cost of holding non-yielding bullion while boosting the greenback.Draghi is scheduled to speak at the Jackson Hole central bankers meeting at 1900 GMT. [M/DIARY]Monday is a bank holiday in the United Kingdom.Spot gold XAU= was up 0.5 percent at $1,292.14 an ounce by 2:00 p.m. EST (1800 GMT) and was on track to close the week up 0.6 percent.U.S. gold futures GCcv1 settled up 0.5 percent at $1,297.90.Earlier, Dallas Fed President Robert Kaplan called for patience on raising interest rates any further but urged speed in reducing the Federal Reserve's balance sheet.U.S. data showed home resales unexpectedly fell in July to an 11-month low as a chronic shortage of properties boosted prices, the latest sign that the housing market recovery was slowing. Weekly jobless claims rose, and new orders for key U.S.-made capital goods were better than expected in July.Escalating geopolitical concerns were also preventing gold prices from retreating significantly, market participants said.U.S. President Donald Trump said on Thursday that congressional leaders could have avoided a \"mess\" over raising the U.S. debt ceiling if they had taken his advice.Gold is used as an alternative investment during times of political and financial uncertainty.Palladium XPD= fell 0.2 percent to $929.90 per ounce after reaching $940.50, a 16-1/2 year high. It was on track to close the week up 0.5 percent, its third straight weekly rise.\"We believe that barring short-term corrections, likely driven by profit-taking given elevated tactical positioning, the palladium market is fundamentally constructive over the next couple of years,\" Standard Chartered said in a note, adding that both NYMEX and industry stocks were falling.Silver XAG= rose 0.9 percent to $17.07 an ounce, while platinum XPT= was down 0.6 percent at $972.99 an ounce.Additional reporting by Apeksha Nair in Bengaluru; Editing by Edmund Blair and Lisa Von Ahn \n",
"Name: Text, dtype: object\n"
]
},
{
"data": {
"application/vnd.jupyter.widget-view+json": {
"model_id": "50ad3533c61846e085e09f79605c6a99",
"version_major": 2,
"version_minor": 0
},
"text/plain": [
"interactive(children=(IntSlider(value=0, description='x', max=2, min=-1), Output()), _dom_classes=('widget-int…"
]
},
"metadata": {},
"output_type": "display_data"
},
{
"name": "stdout",
"output_type": "stream",
"text": [
"0: Unrelated news, 1: Merger,\n",
"2: Other news related to deals, investments and mergers\n",
"___________________________________________________________________________________________________________\n",
"\n",
"\n",
"News article no. 7399.0:\n",
"\n",
"HEADLINE:\n",
"7399 Thyssenkrupp says Tata Steel deal may come in September\n",
"Name: Title, dtype: object\n",
"\n",
"TEXT:\n",
"7399 September 11, 2017 / 12:13 PM / Updated an hour ago Thyssenkrupp may reach preliminary Tata Steel deal this month Reuters Staff 3 Min Read The logo of German steel-to-elevators group ThyssenKrupp AG is pictured during the company's annual news conference in Essen, Germany, November 24, 2016. REUTERS/Wolfgang Rattay/File Photo FRANKFURT/DUESSELDORF (Reuters) - Thyssenkrupp ( TKAG.DE ) may reach an agreement in principle this month to merge its European steel business with that of Tata Steel ( TISC.NS ), the group said on Monday, adding talks were constructive and had entered the final stretch. A spokeswoman for Thyssenkrupp said the companies were close to a memorandum of understanding (MoU), paving the way for a detailed look at one anothers books and detailed negotiations before creating the second-largest steelmaker in Europe. Thyssenkrupp CEO Heinrich Hiesinger is under pressure to deliver the planned combination, particularly following Tata Steels deal to cut its pension liabilities, after talks have dragged on for a year and a half. Hiesinger favours a steel joint venture, saying this is the best option to eliminate overcapacities in the volatile steel sector but drawing opposition from labour representatives, who fear thousands of job cuts. The management board is currently in talks over strategic options, the spokeswoman said, adding a meeting of the supervisory board initially scheduled for Sept. 12 had been moved back to ensure it was adequately informed. A spokesman for Thyssenkrupps works council said the meeting was scheduled to take place on Sept. 23 or 24. Shares in Thyssenkrupp ended the day up 1.4 percent and have gained about 17 percent this year, partly in anticipation of a deal. Trade unions remain opposed to Hiesingers plan, preferring a carve-out that would see Thyssenkrupp list its healthy assets including its elevator unit on the stock market instead, in a fashion similar to utility RWE ( RWEG.DE ). We reject a merger with Tata, said Dieter Lieske, head of the Duisburg-Dinslaken unit of IG Metall, Germanys largest trade union, adding there were no signs that labour representatives on the groups supervisory board would agree to the merger plan. Lieske said Ulrich Lehner, Thyssenkrupps supervisory board chairman, may be forced to use his casting vote if the 20-member board, with equal representation of labour and capital interests, reaches a stalemate over the decision. Bloomberg on Monday reported that activist investor Cevian, Thyssenkrupps No.2 shareholder, was also opposed to the merger with Tata Steel, potentially robbing Hiesinger of a majority if all labour representatives also vote against the plan. A spokesman representing Cevian declined to comment. Monthly Manager Magazin earlier reported that Thyssenkrupps supervisory board could agree to a combination either on Sept. 23 or 24, citing people involved in the negotiations. Reporting by Georgina Prodhan, Tom Kaeckenhoff and Christoph Steitz; Editing by Maria Sheahan and Mark Potter \n",
"Name: Text, dtype: object\n"
]
},
{
"data": {
"application/vnd.jupyter.widget-view+json": {
"model_id": "65a882650f7c440e99ae46b0caa02a7b",
"version_major": 2,
"version_minor": 0
},
"text/plain": [
"interactive(children=(IntSlider(value=0, description='x', max=2, min=-1), Output()), _dom_classes=('widget-int…"
]
},
"metadata": {},
"output_type": "display_data"
},
{
"name": "stdout",
"output_type": "stream",
"text": [
"0: Unrelated news, 1: Merger,\n",
"2: Other news related to deals, investments and mergers\n",
"___________________________________________________________________________________________________________\n",
"\n",
"\n",
"News article no. 336.0:\n",
"\n",
"HEADLINE:\n",
"336 Ex-Visium fund manager identifies insider trading source\n",
"Name: Title, dtype: object\n",
"\n",
"TEXT:\n",
"336 Business News 5:03pm EST Ex-Visium fund manager identifies insider trading source By Nate Raymond - NEW YORK NEW YORK A former Visium Asset Management portfolio manager on Tuesday identified a Washington-based policy expert as having helped him engage in insider trading by tipping him to a yet-announced government funding cut for home health services. Christopher Plaford, who became a cooperating witness for U.S. authorities probing the hedge fund, testified in Manhattan federal court that in 2013, he obtained inside information from David Blaszczak, the founder of Precipio Health Strategies. Plaford testified that while acting as a consultant to Visium, Blaszczak tipped him to an impending announcement from the Centers for Medicare and Medicaid Services (CMS) about a cut to Medicare reimbursement rates for some home health services. Based on that information, Plaford said he arranged trades related to two home health service providers, Amedisys Inc and Gentiva Health Services Inc. The testimony provided confirmation that the investigation that led Plaford to plead guilty in June also involved Blaszczak, who previously worked at CMS from 2000 to 2005, according to a LinkedIn profile. The Wall Street Journal had previously linked Blaszczak to the probe, citing anonymous sources. In court papers, Blaszczak was identified only as \"CC-2\" or \"Political Consultant\" who obtained his information from a CMS employee. Blaszczak has not been charged. Neither he nor his lawyer responded to requests for comment. The testimony came during the trial of Stefan Lumiere, an ex-portfolio manager at Visium, which was founded by his former brother-in-law, Jacob Gottlieb. The case stemmed from a probe that prompted the $8 billion firm's wind-down and charges against Lumiere and three others, including Sanjay Valvani, a portfolio manager who committed suicide in June after being accused of insider trading. From 2011 to 2013, prosecutors said, Lumiere and others schemed to defraud investors by mismarking the value of securities held by the bond fund, causing its net asset value to be overstated. Those others included Plaford, who testified that he worked with Lumiere to obtain sham broker quotes that would justify the securities' inflated valuations. \"I helped to create the values and also directed the broker quotes,\" Plaford said. Plaford said when he initially discussed his conduct with the Federal Bureau of Investigation and prosecutors, he was not fully truthful about his wrongdoing, saying it \"took a while for me to come to terms with what I had done.\" He has since helped authorities with \"whatever they ask me to do,\" Plaford said, including taping conversations with individuals. The case is U.S. v. Lumiere, U.S. District Court, Southern District of New York, No. 16-cr-00483. (Reporting by Nate Raymond in New York; Editing by Dan Grebler) Next In Business News\n",
"Name: Text, dtype: object\n"
]
},
{
"data": {
"application/vnd.jupyter.widget-view+json": {
"model_id": "eb2ddb233464407ca371674ecfc7f8b6",
"version_major": 2,
"version_minor": 0
},
"text/plain": [
"interactive(children=(IntSlider(value=0, description='x', max=2, min=-1), Output()), _dom_classes=('widget-int…"
]
},
"metadata": {},
"output_type": "display_data"
},
{
"name": "stdout",
"output_type": "stream",
"text": [
"0: Unrelated news, 1: Merger,\n",
"2: Other news related to deals, investments and mergers\n",
"___________________________________________________________________________________________________________\n",
"\n",
"\n",
"News article no. 169.0:\n",
"\n",
"HEADLINE:\n",
"169 UniCredit investor Cariverona still undecided on cash call: source\n",
"Name: Title, dtype: object\n",
"\n",
"TEXT:\n",
"169 Deals - Wed Jan 4, 2017 - 12:06pm EST UniCredit investor Cariverona still undecided on cash call: source The headquarters of UniCredit bank in Milan, Italy, February 8, 2016. REUTERS/Stefano Rellandini MILAN The Cariverona foundation has still not made up its mind whether it will underwrite the 13 billion euro ($13.6 billion) rights issue of Italy's UniCredit ( CRDI.MI ), a foundation source said on Wednesday. Italian daily Il Sole 24 Ore said on Wednesday leading UniCredit shareholders, including CariVerona which owns 2.7 percent of the bank, were all inclined to buy into the share sale to avoid a dilution of their stakes. \"The governance structures of the Foundation are continuing to carefully look into all the aspects and developments of the UniCredit turnaround,\" the source said. In December, Italy's biggest bank by assets said it planned to raise 13 billion euros ($13.6 billion) in the country's biggest-ever share issue to shore up its balance sheet and shield itself from a broader banking crisis. (Reporting by Gianluca Semeraro, editing by Emilio Parodi, writing by Stephen Jewkes) Next In Deals\n",
"Name: Text, dtype: object\n"
]
},
{
"data": {
"application/vnd.jupyter.widget-view+json": {
"model_id": "58899a5849884d21949b925ea928bc11",
"version_major": 2,
"version_minor": 0
},
"text/plain": [
"interactive(children=(IntSlider(value=2, description='x', max=2, min=-1), Output()), _dom_classes=('widget-int…"
]
},
"metadata": {},
"output_type": "display_data"
},
{
"name": "stdout",
"output_type": "stream",
"text": [
"0: Unrelated news, 1: Merger,\n",
"2: Other news related to deals, investments and mergers\n",
"___________________________________________________________________________________________________________\n",
"\n",
"\n",
"News article no. 8287.0:\n",
"\n",
"HEADLINE:\n",
"8287 CSX resumes rail operations to U.S. Gulf Coast areas following Nate\n",
"Name: Title, dtype: object\n",
"\n",
"TEXT:\n",
"8287 October 9, 2017 / 3:39 PM / Updated 16 minutes ago CSX resumes rail operations to U.S. Gulf Coast areas following Nate Reuters Staff 1 Min Read Oct 9 (Reuters) - CSX Corp said on Monday it has fully resumed operations into New Orleans, Louisiana and other U.S. Gulf Coast areas following the landfall of Hurricane Nate over the weekend. The No. 3 U.S. railroad said Nate, the fourth major storm to hit the United States in less than two months, caused minimal impact to its rail network. Reporting by Eric M. Johnson in Seattle\n",
"Name: Text, dtype: object\n"
]
},
{
"data": {
"application/vnd.jupyter.widget-view+json": {
"model_id": "fb8694920925470e8ebe4fafdac8f6c3",
"version_major": 2,
"version_minor": 0
},
"text/plain": [
"interactive(children=(IntSlider(value=0, description='x', max=2, min=-1), Output()), _dom_classes=('widget-int…"
]
},
"metadata": {},
"output_type": "display_data"
},
{
"name": "stdout",
"output_type": "stream",
"text": [
"0: Unrelated news, 1: Merger,\n",
"2: Other news related to deals, investments and mergers\n",
"___________________________________________________________________________________________________________\n",
"\n",
"\n",
"News article no. 3601.0:\n",
"\n",
"HEADLINE:\n",
"3601 Australia's Fairfax Media receives revised $2 billion offer from TPG-led group\n",
"Name: Title, dtype: object\n",
"\n",
"TEXT:\n",
"3601 Deals - Mon May 15, 2017 - 1:25am EDT TPG boosts offer for Australia's Fairfax Media, shares leap to six-year high left right Mastheads of The Age, The Sydney Morning Herald and the Australian Financial Review, all Fairfax Media publications, are pictured in this photo-illustration in Sydney June 18, 2012. REUTERS/Daniel Munoz 1/2 left right A TV crew films outside the Fairfax Media headquarters in Sydney, Australia, May 3, 2017. REUTERS/Jason Reed 2/2 By Jamie Freed - SYDNEY SYDNEY U.S. buyout firm TPG Capital Management on Monday raised its cash bid for Fairfax Media Ltd ( FXJ.AX ), offering A$2.76 billion ($2.04 billion) for the struggling Australian publisher and sending its shares to a six-year high. The fresh offer from TPG [TPG.UL] and partner Ontario Teachers' Pension Plan Board (OTPP) would allow shareholders to cash out completely rather than leaving them with scrip in a piecemeal collection of small assets including radio, regional newspapers and television streaming. \"Its better to have a complete bid,\" said John Grace, co-head of equities at Ausbil Investment Management, Fairfax's largest shareholder with a 7.8 percent stake. He added however that it was too early to say whether the bid should succeed. Fairfax is the publisher of The Sydney Morning Herald and The Australian Financial Review, but its best-performing asset is property listings website Domain, which has boomed amid the long-term decline of newspaper earnings. TPG is now offering A$1.20 a share for the entire business, compared with the prior offer of A$0.95 a share for Domain and top mastheads. It represents a 12 percent premium to Fairfax's A$1.07 closing price on Friday and sent the shares up as much as 8.4 percent to a six-year high of A$1.16 on Monday. The previous offer did not include the publisher's radio division, regional and New Zealand titles, a stake in an online television streaming start-up and its debt. DOMAIN SPIN-OFF Long-suffering shareholders had pinned their hopes on Fairfax's plan to spin off Domain as it continues to cut costs at its newspapers. Many of its journalists this month went on strike for a week to protest editorial job cuts. Fairfax has said it is considering the TPG proposal - which is subject to a shareholder vote and foreign investment approvals - but is also continuing to progress preparations for the planned separation of Domain. \"While the revised offer is clearly superior in that is an offer for the entire company, TPG may need to offer more than A$1.20 if it is to win the support of all shareholders,\" said Alex Waislitz, chairman of Thorney Opportunities Ltd, which holds Fairfax shares. TPG's change of mind came after the Australian government revealed it is planning to deregulate media ownership, which could increase Fairfax's options as either a target for another suitor or as an acquirer. A TPG spokesman declined to comment. In a statement, Fairfax said shareholders did not need to take any action in response to the revised proposal and promised to provide an update once it had been fully assessed. (Reporting by Jamie Freed; Editing by Stephen Coates) \n",
"Name: Text, dtype: object\n"
]
},
{
"data": {
"application/vnd.jupyter.widget-view+json": {
"model_id": "7d8906855f414200b17f70355648b435",
"version_major": 2,
"version_minor": 0
},
"text/plain": [
"interactive(children=(IntSlider(value=2, description='x', max=2, min=-1), Output()), _dom_classes=('widget-int…"
]
},
"metadata": {},
"output_type": "display_data"
},
{
"name": "stdout",
"output_type": "stream",
"text": [
"0: Unrelated news, 1: Merger,\n",
"2: Other news related to deals, investments and mergers\n",
"___________________________________________________________________________________________________________\n",
"\n",
"\n",
"News article no. 9365.0:\n",
"\n",
"HEADLINE:\n",
"9365 ITER nuclear fusion project faces delay over Trump budget cuts\n",
"Name: Title, dtype: object\n",
"\n",
"TEXT:\n",
"9365 December 6, 2017 / 3:58 PM / in 4 minutes ITER nuclear fusion project faces delay over Trump budget cuts Reuters Staff 3 Min Read PARIS (Reuters) - ITER, an international project to build a prototype nuclear fusion reactor in southern France, said it is facing delays if the Trump administration does not reconsider budget cuts. ITER Director-General Bernard Bigot, in Washington for talks with the U.S. administration, said the U.S. contribution had been cut from a planned $105 million (78.5 million) to $50 million this year and its 2018 contribution from a planned $120 million to $63 million. The United States has already spent about $1 billion on the prototype reactor and was scheduled to contribute up to another $1.5 billion through 2025, when the experimental fusion reactor is scheduled to run a first operational test. If we do not respect deadlines (for the first operational test) in the beginning, we cannot respect them in the end, Bigot told Reuters in a telephone interview. Bigot said that following a letter from French President Emmanuel Macron to President Donald Trump in August, Trump had asked his administration to reconsider the issue. We hope for a decision this weekend or this week, he said. The seven partners in the International Thermonuclear Experimental Reactor (ITER) - Europe, United States, China, India, Japan, Russia and South Korea - launched the project 10 years ago but it has experienced years of delays and budget overruns. It is now halfway towards the first test of its super-heated plasma by 2025 and first full-power fusion by 2035. Earlier this year, ITERs total budget was revised upwards from 18 to 22 billion euros ($21-26 billion). Unlike existing fission reactors, which produce energy by splitting atoms, ITER would generate power by combining atoms in a process similar to the nuclear fusion that produces the energy of the sun. ITER says fusion will not produce nuclear waste like fission and will be much safer to operate. But the challenges of replicating the suns fusion process on earth are enormous and critics say that it remains unclear whether the technology will work and can eventually be commercially viable. Reporting by Geert De Clercq. Editing by Jane Merriman\n",
"Name: Text, dtype: object\n"
]
},
{
"data": {
"application/vnd.jupyter.widget-view+json": {
"model_id": "fcf3ade32be8414f901445c6c54ca70b",
"version_major": 2,
"version_minor": 0
},
"text/plain": [
"interactive(children=(IntSlider(value=0, description='x', max=2, min=-1), Output()), _dom_classes=('widget-int…"
]
},
"metadata": {},
"output_type": "display_data"
},
{
"name": "stdout",
"output_type": "stream",
"text": [
"0: Unrelated news, 1: Merger,\n",
"2: Other news related to deals, investments and mergers\n",
"___________________________________________________________________________________________________________\n",
"\n",
"\n",
"News article no. 6513.0:\n",
"\n",
"HEADLINE:\n",
"6513 Secure Trust Bank's first-half profit jumps on surge in lending\n",
"Name: Title, dtype: object\n",
"\n",
"TEXT:\n",
"6513 August 22, 2017 / 6:27 AM / 22 minutes ago Secure Trust Bank's first-half profit jumps on surge in lending Reuters Staff 2 Min Read (Reuters) - Secure Trust Bank said it further tightened its credit risk appetite and acceptance criteria for small- and medium-sized customers over the first six months of the year, on slowing economic growth and heightened levels of uncertainty. Secure Trust, which offers both business and consumer finance, reported on Tuesday a 11 percent jump in pretax profit to 13.9 million pounds for the six months to June 30 as lending surged across all of its business units. The retail bank of Arbuthnot Banking Group said overall loan book jumped 34 percent to 1.51 billion pounds, while customer deposits grew 27.2 percent to 1.33 billion pounds. Arbuthnot, which sold a 33 percent stake in Secure Trust via a placing in May 2016, had an optimistic stance on Britain's vote to leave the European Union, and had said the associated turmoil would create investment opportunities. However, Arbuthnot's chairman and chief executive, Henry Angest, said last month that with uncertain economic and political times ahead, the lender remained cautious in its decision making. The Bank of England (BoE) has also ordered banks to apply credit rules prudently and prove by September they are not being too complacent about risks to their balance sheets, with the BoE's Prudential Regulation Authority highlighting credit card firms and motor finance as areas of concern. Secure Trust said on Tuesday that its motor finance balances had grown to 258.4 million pounds from 236.2 million pounds as at Dec. 31, despite deciding to end its exposure to subprime motor loans and shifting to lower risk motor lending. The group said it expected its motor portfolio quality to improve this year, as it began to see the benefits of changes made to its credit criteria and as it works through its back books. Reporting by Esha Vaish and Noor Zainab Hussain in Bengaluru; Editing by Amrutha Gayathri 0 : 0\n",
"Name: Text, dtype: object\n"
]
},
{
"data": {
"application/vnd.jupyter.widget-view+json": {
"model_id": "48e2f7a0387b4106b73d10a5edbfc7ad",
"version_major": 2,
"version_minor": 0
},
"text/plain": [
"interactive(children=(IntSlider(value=0, description='x', max=2, min=-1), Output()), _dom_classes=('widget-int…"
]
},
"metadata": {},
"output_type": "display_data"
},
{
"name": "stdout",
"output_type": "stream",
"text": [
"0: Unrelated news, 1: Merger,\n",
"2: Other news related to deals, investments and mergers\n",
"___________________________________________________________________________________________________________\n",
"\n",
"\n",
"News article no. 8471.0:\n",
"\n",
"HEADLINE:\n",
"8471 European shares edge higher as SocGen weighs on banks after results\n",
"Name: Title, dtype: object\n",
"\n",
"TEXT:\n",
"8471 November 3, 2017 / 8:32 AM / in 18 minutes European shares edge higher as SocGen weighs on banks after results Reuters Staff 3 Min Read LONDON (Reuters) - European shares crept higher in early deals on Friday as earnings weighed on shares in French bank Societe Generale ( SOGN.PA ) and Dutch telecoms firms Altice ( ATCA.AS ), though gains for tech stocks and carmakers limited losses. The German share price index, DAX board, is seen at the stock exchange in Frankfurt, Germany, November 1, 2017. REUTERS/Staff/Remote The pan-European STOXX 600 index was up 0.1 percent, set for its second week of gains in a row, while euro zone blue chips .STOXX50E were down 0.1 percent. Britain's FTSE 100 .FTSE built on the previous session's gains following the Bank of England's first rate hike in more than a decade, up 0.3 percent. Friday was another busy day of earnings, with the banking sector in focus. Societe Generale fell 3.8 percent after the French bank reported third quarter earnings which included a 15 percent slump at its investment banking arm. Telecoms firm Altice was another big faller, down 7.9 percent after issuing cautious full-year targets amidst slightly weaker-than-expected third quarter results. On the positive side, Norwegian consumer publishing firm Schibsted ( SBSTA.OL ) surged 18 percent to the top of the STOXX after its results came in above forecast. Frances Renault ( RENA.PA ) rose 3.9 percent, leading European autos .SXAP after the French government began the sale of its 4.73 percent stake in the carmaker. Tech stocks were also in focus after U.S. giant Apple ( AAPL.O ) reported better-than-expected earnings, boosting shares in suppliers Dialog Semiconductor ( DLGS.DE ) 2 percent and AMS ( AMS.S ) 1.6 percent. So far more than half of MSCI Europe companies have reported third quarter earnings, of which 67 percent have either met or beaten analysts expectations, according to Thomson Reuters I/B/E/S data. Reporting by Kit Rees, editing by Danilo Masoni\n",
"Name: Text, dtype: object\n"
]
},
{
"data": {
"application/vnd.jupyter.widget-view+json": {
"model_id": "2f6b88a885694a228c070adda0796b57",
"version_major": 2,
"version_minor": 0
},
"text/plain": [
"interactive(children=(IntSlider(value=0, description='x', max=2, min=-1), Output()), _dom_classes=('widget-int…"
]
},
"metadata": {},
"output_type": "display_data"
},
{
"name": "stdout",
"output_type": "stream",
"text": [
"0: Unrelated news, 1: Merger,\n",
"2: Other news related to deals, investments and mergers\n",
"___________________________________________________________________________________________________________\n",
"\n",
"\n",
"News article no. 1950.0:\n",
"\n",
"HEADLINE:\n",
"1950 German government worried a 'hard Brexit' would cause market turbulence - report\n",
"Name: Title, dtype: object\n",
"\n",
"TEXT:\n",
"1950 1:59am BST German government worried a 'hard Brexit' would cause market turbulence - report German, British and European Union flags fly in front of the Reichstag building in Berlin, Germany July 20, 2016. REUTERS/Hannibal Hanschke/File Photo BERLIN The German Finance Ministry is worried there will be turbulence on the financial markets if there is a 'hard Brexit', a German newspaper reported on Monday - two days before Britain triggers divorce proceedings with the European Union. Handelsblatt daily cited a risk analysis from the Finance Ministry as saying that if Britain and the EU do not strike a deal about Britain's exit in time, it could threaten the stability of financial markets. The ministry is also worried that the two-year negotiation period between Britain and the EU will not suffice to conclude a free trade deal with Britain and that would mean there are \"significant\" risks for the financial markets, it said. For that reason, there should be interim solutions, said the analysis, which talked about \"phasing out\". An abrupt exit could \"trigger dislocations\", with British banks no longer able to offer their services in the EU and banks in the EU finding they no longer have access to the financial centre in London, the report said. That would result in \"grave economic and systemic consequences\" for Europe, the newspaper added. It said that Germany had a strong interest in having an \"integrated financial market\" with Britain but for that London would need to fulfil conditions such as accepting the EU's basic freedoms as well as strict regulatory standards. The German government is taking a tough line on the EU budget and wants Britain to promise, at the start of negotiations, that it will meet all of its obligations, including after quitting the EU, and Britain should pay to have access to the European Single Market, the newspaper said. (Reporting by Michelle Martin; Editing by Ken Ferris) \n",
"Name: Text, dtype: object\n"
]
},
{
"data": {
"application/vnd.jupyter.widget-view+json": {
"model_id": "d868e6d3516d48cc8667fc776dce683a",
"version_major": 2,
"version_minor": 0
},
"text/plain": [
"interactive(children=(IntSlider(value=0, description='x', max=2, min=-1), Output()), _dom_classes=('widget-int…"
]
},
"metadata": {},
"output_type": "display_data"
},
{
"name": "stdout",
"output_type": "stream",
"text": [
"0: Unrelated news, 1: Merger,\n",
"2: Other news related to deals, investments and mergers\n",
"___________________________________________________________________________________________________________\n",
"\n",
"\n",
"News article no. 1651.0:\n",
"\n",
"HEADLINE:\n",
"1651 Dish Network profit tops estimates on surprise subscriber additions - Reuters\n",
"Name: Title, dtype: object\n",
"\n",
"TEXT:\n",
"1651 By Anjali Athavaley U.S. satellite TV provider Dish Network Corp ( DISH.O ) reported a better-than-expected profit and added pay-TV subscribers in the fourth quarter as more customers signed up for its lower-priced Sling TV streaming service.Dish said it added about 28,000 net subscribers to its satellite TV and Sling TV services in the three months ended Dec. 31. That compared to a loss of approximately 12,000 subscribers in the same period in 2015.Analysts on average had estimated Dish would lose 87,000 subscribers, according to market research firm FactSet StreetAccount.Shares rose 1 percent to $63.42 in afternoon trading.Dish's results are closely watched because in recent years, the company has amassed spectrum, or radio frequencies that carry the growing amounts of data flowing through devices, and is widely considered by industry watchers to be an acquisition target.On the company's post-earnings conference call, Chief Executive Charlie Ergen said a new presidential administration could create a more favorable environment for consolidation.\"I would imagine that we're not the biggest company and we're not going to drive that process, but obviously many of the assets we hold probably could be involved in that mix,\" he said.Dish also said on the call that it was seeing Sling TV's demographics broaden. The service, launched in 2015, initially targeted younger consumers who had never subscribed to cable TV or already cut the cord.\"It's not quite as male as it used to be,\" said Roger Lynch, CEO of Sling TV. \"We're getting people of all age groups.\"Analysts said the company's subscriber additions were driven by Sling TV but noted that Dish's satellite business had underperformed.Craig Moffett, an analyst at MoffettNathanson, estimated that Dish lost 245,000 satellite subscribers in the fourth quarter. \"Once again, the overall picture of Dish's video business is rather disquieting,\" he wrote. \"Churn continues to tick higher.\"Churn, or the rate of customer defections, was 1.83 percent during 2016, compared to 1.71 percent in 2015.Net income attributable to Dish was $343 million, or 70 cents per share, in the quarter, compared with a loss of $125 million, or 27 cents per share, a year earlier.Revenue fell to $3.72 billion from $3.78 billion.Analysts on an average were expecting Dish to earn 66 cents per share on revenue of $3.76 billion, according to Thomson Reuters I/B/E/S.(Additional reporting by Aishwarya Venugopal in Bengaluru; Editing by Savio D'Souza and Nick Zieminski)FILE PHOTO - A satellite dish from Dish Network is pictured in Los Angeles, U.S., April 20, 2016. REUTERS/Mario Anzuoni/File Photo\n",
"Name: Text, dtype: object\n"
]
},
{
"data": {
"application/vnd.jupyter.widget-view+json": {
"model_id": "80df843526be4d189562dc99377f8296",
"version_major": 2,
"version_minor": 0
},
"text/plain": [
"interactive(children=(IntSlider(value=0, description='x', max=2, min=-1), Output()), _dom_classes=('widget-int…"
]
},
"metadata": {},
"output_type": "display_data"
},
{
"name": "stdout",
"output_type": "stream",
"text": [
"0: Unrelated news, 1: Merger,\n",
"2: Other news related to deals, investments and mergers\n",
"___________________________________________________________________________________________________________\n",
"\n",
"\n",
"News article no. 3817.0:\n",
"\n",
"HEADLINE:\n",
"3817 Kotak Mahindra to raise up to $901 million via QIP - IFR\n",
"Name: Title, dtype: object\n",
"\n",
"TEXT:\n",
"3817 MUMBAI India's Kotak Mahindra Bank Ltd is selling new shares worth as much as 58 billion Indian rupees ($900 million) to boost its capital strength and raise funds for potential acquisitions.The fund-raising comes amid speculation Kotak Mahindra is looking to buy a bigger rival and the issue of new shares will also dilute the almost 32 percent stake held by the bank's founder Uday Kotak.The billionaire has been ordered by the central bank to cut his stake in the lender, which has a market value of nearly $27 billion, to 30 percent by the end of June and to 20 percent by December 2018.Kotak Mahindra, the fourth biggest Indian bank by market capitalisation, is selling up to 62 million new shares with a price range of 930 rupees to 936 rupees apiece, according to a deal term sheet.The price range offers just a 0.1 percent to 0.7 percent discount to the stock's closing price of 936.80 rupees on the National Stock Exchange on Thursday.In a regulatory filing, the bank said it intended to use the net proceeds to boost its Tier 1 capital ratio, which stood at 15.9 percent at the end of March, and for possible acquisitions.\"The funds raised would enable the bank to capitalise on inorganic opportunities, including acquisition and resolution of stressed assets through, amongst others, potentially participating in a 'Bad Bank',\" Kotak Mahindra said in the filing.Morgan Stanley, Bank of America Merrill Lynch and Kotak Mahindra's investment banking division are the bankers for the placement of shares with qualified institutions. The sale will close early on Friday.($1 = 64.4080 Indian rupees)(Reporting by Anuradha Subramanyan of IFR and Devidutta Tripathy; editing by David Clarke)\n",
"Name: Text, dtype: object\n"
]
},
{
"data": {
"application/vnd.jupyter.widget-view+json": {
"model_id": "f5f653f3f6eb4017801dd353389f8762",
"version_major": 2,
"version_minor": 0
},
"text/plain": [
"interactive(children=(IntSlider(value=0, description='x', max=2, min=-1), Output()), _dom_classes=('widget-int…"
]
},
"metadata": {},
"output_type": "display_data"
},
{
"name": "stdout",
"output_type": "stream",
"text": [
"0: Unrelated news, 1: Merger,\n",
"2: Other news related to deals, investments and mergers\n",
"___________________________________________________________________________________________________________\n",
"\n",
"\n",
"News article no. 9381.0:\n",
"\n",
"HEADLINE:\n",
"9381 Kazakhstan says it may appeal ruling over $22.6 billion frozen assets\n",
"Name: Title, dtype: object\n",
"\n",
"TEXT:\n",
"9381 December 23, 2017 / 8:44 PM / Updated 3 hours ago Kazakhstan says it may appeal ruling over $22.6 billion frozen assets Reuters Staff 3 Min Read ALMATY (Reuters) - Kazakhstans government and central bank may appeal a judgment by a British court in an effort to regain access to $22.6 billion (16.91 billion pounds) in National Fund assets frozen by Bank of New York Mellon ( BK.N ), the Kazakh Justice Ministry said on Saturday. The Bank of New York Mellon Corp. building at 1 Wall St. is seen in New York's financial district March 11, 2015. REUTERS/Brendan McDermid (UNITED STATES - Tags: BUSINESS) In a rare move related to a long-standing legal dispute between Kazakhstan and a Moldovan businessman, BNY Mellon froze the assets in October. Kazakhstan hoped that a court in London would force the bank to lift the freeze, but the court dismissed the claim on Thursday. Both the National (central) Bank and the Republic of Kazakhstan are now considering appealing this court judgment, the ministry said in a statement. Moldovan businessman Anatolie Stati, his son Gabriel and their companies are investors in Kazakhstans oil and gas industry. They say they have been subjected to harassment from the state aimed at forcing them to sell their investments cheaply. Kazakhstan denies the allegations, but Anatolie and Gabriel Stati and two of their companies Ascom Group S.A. and Terra Raf Trans Traiding Ltd., have won an international arbitration award of around $500 million against the government. Kazakhstan has refused to pay, accusing Stati of using fraudulent means to secure a favorable arbitration ruling and filing lawsuits against him. The Justice Ministry said BNY Mellon, which acts as one of the custodians of the National Fund, initially refused to freeze its assets in response to rulings by Dutch and Belgian courts. But on Oct. 30 BNY Mellon suddenly changed its position and agreed to freeze the assets, the ministry said, adding that it would seek from Stati compensation of all losses including those related to the freeze. In any case, the risks to the Republic of Kazakhstan are limited by the arbitration award - $497,658,101 plus interest ... and half of Statis legal fees, it said. Kazakhstans rainy-day National Fund, worth $57 billion, is replenished by revenue from the oil and gas industry, and used to partly finance the budget deficit. While the former Soviet republic is unlikely to find itself in urgent need of the frozen money soon, the freeze may limit its ability to manage a large part of the funds portfolio, which is mostly invested in high-grade bonds. Reporting by Olzhas Auyezov; editing by Andrew Roche\n",
"Name: Text, dtype: object\n"
]
},
{
"data": {
"application/vnd.jupyter.widget-view+json": {
"model_id": "a2786d51a54e4653ad7b4488408e418f",
"version_major": 2,
"version_minor": 0
},
"text/plain": [
"interactive(children=(IntSlider(value=0, description='x', max=2, min=-1), Output()), _dom_classes=('widget-int…"
]
},
"metadata": {},
"output_type": "display_data"
},
{
"name": "stdout",
"output_type": "stream",
"text": [
"0: Unrelated news, 1: Merger,\n",
"2: Other news related to deals, investments and mergers\n",
"___________________________________________________________________________________________________________\n",
"\n",
"\n",
"News article no. 6661.0:\n",
"\n",
"HEADLINE:\n",
"6661 TABLE-Investors most cautious on U.S. long bonds since early Nov. 2016 -JPMorgan\n",
"Name: Title, dtype: object\n",
"\n",
"TEXT:\n",
"6661 NEW YORK, Aug 22 (Reuters) - Investors turned the most cautious in their holdings of longer-dated U.S. Treasury debt since early November 2016, prior to the election that Donald Trump won to capture the U.S. presidency, JPMorgan Chase & Co's latest client survey showed on Tuesday. The share of investors who said they were holding longer-dated Treasuries equal to their benchmarks, rose to 70 percent, the most since Nov. 7, and up from 59 percent a week earlier, JPMorgan said. U.S. benchmark Treasury yields fell to seven-week lows late last week due to safe-haven demand amid doubts about Trump's ability to implement campaign promises, including tax cuts, infrastructure spending and other measures aimed to stimulate the economy. U.S. bond yields jumped in the weeks after Trump's Nov. 8 win due to expectations of aggressive fiscal measures from the new administration, which would stoke inflation and widen the federal budget deficit. Separately, a deadly attack in Barcelona last week also pushed nervous investors toward U.S. government debt. At 12:24 p.m. EDT (1624 GMT), the 10-year Treasury note was yielding 2.204 percent, down from 2.266 percent a week earlier. On Friday, it touched a seven-week low of 2.162 percent, Reuters data showed. JPMorgan surveyed clients bond fund managers, central banks and sovereign wealth funds, as well as market makers and hedge funds. The chart below displays the latest survey results of JPMorgan's Treasury clients: All clients Long Neutral Shorts Net Position Aug. 21 7 70 23 -16 Aug. 14 11 59 30 -19 Aug. 7 18 57 25 -7 July 31 18 59 23 -5 July 24 18 57 25 -7 July 17 14 66 20 -6 Active clients Aug. 21 0 90 10 -10 Aug. 14 10 70 20 -10 Aug. 7 20 60 20 0 July 31 20 60 20 0 July 24 20 60 20 0 July 17 20 70 10 10 * NOTE: Positive value denotes net long, negative value denotes net short (Reporting by Richard Leong, editing by G Crosse)\n",
"Name: Text, dtype: object\n"
]
},
{
"data": {
"application/vnd.jupyter.widget-view+json": {
"model_id": "ede86c7301804d5e91399fdad4a89514",
"version_major": 2,
"version_minor": 0
},
"text/plain": [
"interactive(children=(IntSlider(value=0, description='x', max=2, min=-1), Output()), _dom_classes=('widget-int…"
]
},
"metadata": {},
"output_type": "display_data"
},
{
"name": "stdout",
"output_type": "stream",
"text": [
"0: Unrelated news, 1: Merger,\n",
"2: Other news related to deals, investments and mergers\n",
"___________________________________________________________________________________________________________\n",
"\n",
"\n",
"News article no. 2701.0:\n",
"\n",
"HEADLINE:\n",
"2701 UK's Exova to be bought by Element Materials in 620-million-pound deal\n",
"Name: Title, dtype: object\n",
"\n",
"TEXT:\n",
"2701 Business News 10:23am BST UK's Exova to be bought by Element Materials in 620-million-pound deal British materials testing company Exova Group ( EXO.L ) said on Wednesday UK-based Element Materials Technology would buy it in a deal valued at 620.3 million pounds. Element said it would pay Exova shareholders 240 pence per share in cash, representing a 10.7 percent premium to the stock's closing price on March 24 before Exova entered talks with potential buyers. The offer was in line with Exova's closing price on Tuesday, and based on that the deal was worth 607.1 million pounds, according to Reuters calculations. Exova shareholders will also receive a final dividend of 2.35 pence per share for 2016, Element said. \"The combined UK headquartered group will benefit from deep pools of technical talent, very significant testing capacity and a strong network of facilities to support our customers' global supply chains,\" Element CEO Charles Noall said in a statement. Exova, whose laboratories test the safety and performance of products used in industries ranging from aerospace to pharmaceuticals, revealed in March that it had received proposals for a possible cash offer from Element Materials Technology. The Edinburgh-based company also said private equity fund PAI Partners, and Jacobs Holding AG, a Swiss investment firm, had also made similar proposals. Goldman Sachs and Investec advised Exova on the acquisition. Exova shares were down 0.8 percent at 238 pence in early trading on Wednesday. (This version of the story corrects headline and paragraph 1 to say Element Materials is a UK-based firm, not Dutch) (Reporting By Justin George Varghese; Editing by Amrutha Gayathri)\n",
"Name: Text, dtype: object\n"
]
},
{
"data": {
"application/vnd.jupyter.widget-view+json": {
"model_id": "2d7043fd7d604b2fb1aedfb718c80474",
"version_major": 2,
"version_minor": 0
},
"text/plain": [
"interactive(children=(IntSlider(value=0, description='x', max=2, min=-1), Output()), _dom_classes=('widget-int…"
]
},
"metadata": {},
"output_type": "display_data"
},
{
"name": "stdout",
"output_type": "stream",
"text": [
"0: Unrelated news, 1: Merger,\n",
"2: Other news related to deals, investments and mergers\n",
"___________________________________________________________________________________________________________\n",
"\n",
"\n",
"News article no. 9971.0:\n",
"\n",
"HEADLINE:\n",
"9971 EU pensions have insufficient assets to cover liabilities - Watchdog\n",
"Name: Title, dtype: object\n",
"\n",
"TEXT:\n",
"9971 December 13, 2017 / 6:13 PM / Updated 42 minutes ago EU pensions have insufficient assets to cover liabilities - Watchdog Reuters Staff 1 Min Read FRANKFURT (Reuters) - European Union pension providers on the whole do not have enough assets to cover their liabilities, the European Unions insurance and pension watchdog said on Wednesday. The European Insurance and Occupational Pensions Authority (EIOPA) published aggregated results of this years stress test of 195 institutions that provide pensions. The results showed shortfalls of between 349 billion euros (307.5 billion) and 702 billion euros, levels that could harm the real economy, EIOPA said. Reporting by Tom Sims; Editing by Arno Schuetze\n",
"Name: Text, dtype: object\n"
]
},
{
"data": {
"application/vnd.jupyter.widget-view+json": {
"model_id": "be190f166e92418ca5ac92e0de91b488",
"version_major": 2,
"version_minor": 0
},
"text/plain": [
"interactive(children=(IntSlider(value=0, description='x', max=2, min=-1), Output()), _dom_classes=('widget-int…"
]
},
"metadata": {},
"output_type": "display_data"
},
{
"name": "stdout",
"output_type": "stream",
"text": [
"0: Unrelated news, 1: Merger,\n",
"2: Other news related to deals, investments and mergers\n",
"___________________________________________________________________________________________________________\n",
"\n",
"\n",
"News article no. 5716.0:\n",
"\n",
"HEADLINE:\n",
"5716 MIDEAST STOCKS-Banking shares lead Middle East higher ahead of Fed testimony\n",
"Name: Title, dtype: object\n",
"\n",
"TEXT:\n",
"5716 Market News - Tue Jul 11, 2017 - 9:32am EDT MIDEAST STOCKS-Banking shares lead Middle East higher ahead of Fed testimony * Saudi banks mixed as investors focus on Q2 results * United Electronics surges again on CEO bullish comments * Egypt reclaims all time high By Celine Aswad DUBAI, July 11 Blue-chip banks pushed Middle East stock markets slightly higher on Tuesday, a day ahead of the testimony from Federal Reserve Chair Janet Yellen for clues on when the central bank would tighten U.S. monetary policy. Yellen's semi-annual monetary policy testimony before Congress will be on Wednesday and Thursday. San Francisco Federal Reserve President John Williams said on Tuesday in Sydney that it was a reasonable view to expect one more rate hike this year, and his own view was to start adjusting the central bank's balance sheet in the next few months. Most Gulf currencies are pegged to the dollar and any monetary policy change in the United States is usually mimicked by Saudi Arabia, United Arab Emirates and Qatar. In Doha, the majority of the listed banks were firm with the largest of them, Qatar National Bank adding 1.2 percent. The index rose 0.4 percent. In the United Arab Emirates, Abu Dhabi Commercial Bank added 1.6 percent and Union National Bank inched up 0.4 percent, helping take the index 0.2 percent higher. In neighbouring Dubai, Dubai Islamic Bank added 1.4 percent and the index rose 0.6 percent. Saudi Arabian banks were mixed as some investors turned their focus to upcoming second quarter results. Heavyweight National Commercial Bank edged up 0.2 percent after rising as much as 1.4 percent earlier in the day. Analysts at Riyad Capital expect net income for the sector to be flat in the second quarter from the year ago period as provisions may continue to weigh on performance - which they have been for the last several quarters - and because of a dip in credit demand. Nevertheless, they predict operating margins to witness some improvement. \"While SAIBOR (the interbank lending rate) has been flat in the quarter, we believe cost of funds have declined given rising non-interest bearing deposits combined with some growth in advances,\" said the note by Riyad Capital. Mobile phones and home appliances retailer United Electronics Company (Extra) surged 8.1 percent in heavy trade to its highest close since November 2015 after its chief executive, Mohamed Fahmy, told financial news website, Argaam, on Monday that Extra aims to boost sales through its online portal, and strengthen partnerships with suppliers and brand offerings. Its shares soared by their 10 percent daily limit on Monday after reporting a near quadrupling in second quarter net income from a year earlier and a 15 percent growth in sales. The index added a small 0.1 percent. In Egypt, the index gained 1.5 percent to 13,684 points, reclaiming the all-time high hit on June 8. Shares of private equity firm Qalaa Holding jumped 5.2 percent in high volumes. On Saturday the company reported a narrowing first quarter net loss of 384 million Egyptian pounds ($21.54 million). Analysts at Naeem Brokerage expect positive operating trends in the coming quarters, although they \"still anticipate losses\" mainly because of higher debt servicing costs. Orascom Telecom, the most traded stock of the day, jumped 5.9 percent, its second straight session of strong gains. On Monday the company reported a huge leap in its first quarter net profit. HIGHLIGHTS * The index added 0.1 percent to 7,245 points. DUBAI * The index added 0.6 percent to 3,440 points. ABU DHABI * The index rose 0.2 percent to 4,409 points. QATAR * The index gained 0.4 percent to 9,030 points. EGYPT * The index climbed 1.5 percent to 13,684 points. KUWAIT * The index added 0.5 percent to 6,779 points. BAHRAIN * The index edged up 0.3 percent to 1,312 points. OMAN * The index rose 0.2 percent to 5,171 points. ($1 = 17.8700 Egyptian pounds) ($1 = 3.7501 riyals) ($1 = 17.8300 Egyptian pounds) (Editing by Pritha Sarkar) \n",
"Name: Text, dtype: object\n"
]
},
{
"data": {
"application/vnd.jupyter.widget-view+json": {
"model_id": "9f873408f9334864aa3cffb124f3eedf",
"version_major": 2,
"version_minor": 0
},
"text/plain": [
"interactive(children=(IntSlider(value=0, description='x', max=2, min=-1), Output()), _dom_classes=('widget-int…"
]
},
"metadata": {},
"output_type": "display_data"
},
{
"name": "stdout",
"output_type": "stream",
"text": [
"0: Unrelated news, 1: Merger,\n",
"2: Other news related to deals, investments and mergers\n",
"___________________________________________________________________________________________________________\n",
"\n",
"\n",
"News article no. 1424.0:\n",
"\n",
"HEADLINE:\n",
"1424 PRESS DIGEST- British Business - Feb 7\n",
"Name: Title, dtype: object\n",
"\n",
"TEXT:\n",
"1424 Feb 7 The following are the top stories on the business pages of British newspapers. Reuters has not verified these stories and does not vouch for their accuracy.The TimesIsraeli PM insists Britain must get tough with IranThe Israeli prime minister urged Theresa May to follow the United States in imposing fresh sanctions against Iran as the two met for the first time on the steps of No 10. bit.ly/2lith90Stay away from parliament, Bercow tells 'sexist, racist' TrumpIn an intervention that will bring embarrassment for Theresa May, John Bercow told Members of Parliament that the US president should be denied the honour of addressing the House of Commons or Lords during a state visit this year. bit.ly/2liooN2The GuardianUber driver tells MPs: I work 90 hours but still need to claim benefitsUber drivers have told Members of Parliament they felt trapped in a job that forced them to work long hours just to cover costs including the purchase of their cars. bit.ly/2lixAkxCut beer duty to beat price hikes after Brexit vote, says CamraThe Campaign for Real Ale (Camra) is stepping up its push to keep the price of a pint down for millions of UK pub-goers, calling on the Treasury to reduce beer duty by 1p a pint in next month's budget. bit.ly/2livst0The TelegraphECB's Mario Draghi warns on liquidity shock as tapering nearsThe European Central Bank is bracing for a painful 'taper tantrum' as it reins in emergency stimulus and slows the pace of bond purchases next month, all too aware that market liquidity could dry up suddenly. bit.ly/2lipcByHong Kong's Li dynasty trade UK assets as Three buys Relish wireless broadband for 250 mln stgTwo arms of one of Asia's richest families have agreed the 20 mln stg sale of UK Broadband, the operator behind the Relish wireless brand, to the mobile operator Three. bit.ly/2litt8cSky NewsBuy-to-let lender plots float after Brexit fears halted saleSky News has learnt that Charter Court Financial Services, the owner of the Exact and Precise mortgage brands, has drafted in investment bankers to work on an initial public offering later this year. bit.ly/2litnO5Wonga strikes 60 mln stg deal to sell European unit to Swedish suitorWonga, Britain's best-known payday lender, will this week announce the sale of a big chunk of its European operations, underlining its continuing international retrenchment in the wake of a torrid period for the business. bit.ly/2liuZHsThe IndependentBrexit will not affect UK economy's long term future, a new study suggestsBrexit will prove to be little more than a bump in the road for the UK economy in the long run and the country will successfully defend its spot as one of the world's fastest growing developed economies in decades to come, according to predictions published in a new study. ind.pn/2liq8py (Compiled by Shalini Nagarajan in Bengaluru)\n",
"Name: Text, dtype: object\n"
]
},
{
"data": {
"application/vnd.jupyter.widget-view+json": {
"model_id": "549d93ea0ffd4e749d80a35100a5eda2",
"version_major": 2,
"version_minor": 0
},
"text/plain": [
"interactive(children=(IntSlider(value=0, description='x', max=2, min=-1), Output()), _dom_classes=('widget-int…"
]
},
"metadata": {},
"output_type": "display_data"
},
{
"name": "stdout",
"output_type": "stream",
"text": [
"0: Unrelated news, 1: Merger,\n",
"2: Other news related to deals, investments and mergers\n",
"___________________________________________________________________________________________________________\n",
"\n",
"\n",
"News article no. 5656.0:\n",
"\n",
"HEADLINE:\n",
"5656 BoE's Saunders tells UK households: prepare for higher rates - Guardian\n",
"Name: Title, dtype: object\n",
"\n",
"TEXT:\n",
"5656 41pm BST BoE's Saunders tells UK households - prepare for higher rates: Guardian FILE PHOTO: A man stands outside the Bank of England in the City of London, Britain April 19, 2017. REUTERS/Hannah McKay/File Photo LONDON A Bank of England policymaker who last month voted to raise interest rates was quoted as saying on Tuesday that he was \"reasonably confident\" that investment and exports would compensate for a consumer slowdown. Michael Saunders told the Guardian newspaper that households should prepare for higher rates at some point and there was no sense that they had to stay on hold due to uncertainty around Britain's negotiations in 2019. \"I think households should prepare for interest rates to go higher at some point. But if rates do go up, it will be in the context of the economy doing OK and unemployment being low and probably falling,\" Saunders said in an interview. The BoE's Monetary Policy Committee (MPC) voted 5-3 last month to keep rates on hold with supporters of a hike, who included Saunders, saying investment and exports would make up for the hit to domestic consumption that has been caused by rising inflation and weak wage growth. One of the three other dissenters who voted for a hike has since left the committee, further clouding the possibility of a vote for a rate increase in August or later this year. Last week, Governor Mark Carney said a rise in rates was likely to be needed as the economy comes closer to running at full capacity and the BoE would debate when to do so \"in the coming months\". Other policymakers have stressed the need for patience, including Deputy Governor Jon Cunliffe. On Tuesday, external MPC member Gertjan Vlieghe repeated his warning that a premature rate hike would be more costly than a late one. By contrast, Saunders said the BoE could be caught out if it fails to act quickly enough. \"The risk that you run with maximum stimulus is that the jobless rate keeps falling, then at some point, if pay growth picks up, you have to reverse course very sharply,\" he said. \"It would then be much harder for tightening to be limited and gradual. You'd be having to play catch-up.\" Saunders also said companies were finding it harder to hire staff from overseas, which could push up wage growth - something that has disappointed badly against the BoE's forecasts of late. \"There has been this extra pool of labour which firms can call on and most of the rise in employment, the overwhelming part of the rise in employment of the last five years, has been from people born outside the UK,\" he said. \"It's clear from talking to firms that it's getting harder to persuade people to come to the UK.\" (Reporting by Andy Bruce; Editing by William Schomberg and Gareth Jones)\n",
"Name: Text, dtype: object\n"
]
},
{
"data": {
"application/vnd.jupyter.widget-view+json": {
"model_id": "eb0d5be04e1647e7a4c39f6a6d5cb751",
"version_major": 2,
"version_minor": 0
},
"text/plain": [
"interactive(children=(IntSlider(value=0, description='x', max=2, min=-1), Output()), _dom_classes=('widget-int…"
]
},
"metadata": {},
"output_type": "display_data"
},
{
"name": "stdout",
"output_type": "stream",
"text": [
"0: Unrelated news, 1: Merger,\n",
"2: Other news related to deals, investments and mergers\n",
"___________________________________________________________________________________________________________\n",
"\n",
"\n",
"News article no. 2949.0:\n",
"\n",
"HEADLINE:\n",
"2949 Citi profit beats estimates as fixed-income trading jumps\n",
"Name: Title, dtype: object\n",
"\n",
"TEXT:\n",
"2949 27pm BST Citi profit beats estimates as fixed-income trading jumps A Citi sign is seen at the Citigroup stall on the floor of the New York Stock Exchange, October 16, 2012. REUTERS/Brendan McDermid Citigroup Inc ( C.N ) reported a better-than-expected 17 percent jump in quarterly profit, boosted by strong fixed-income trading as clients adjusted their positions following rate hikes by the Federal Reserve and changes in the forex and credit markets. The fourth-biggest on Thursday that net income rose to $4.09 billion (3.27 billion pounds), or $1.35 $3.50 billion, or $1.10 The company said the latest quarter's results included a net benefit of 8 cents per share from a few previously announced divestitures. expected earnings of $1.24 JPMorgan Chase & Co ( JPM.N ), the biggest U.S. bank by assets, earlier reported a higher-than-expected 16.8 percent rise in quarterly profit, helped by additional revenue from increased trading. Citigroup's total revenue rose about 3 percent to $18.12 billion, beating the average analysts' estimate of $17.76 billion. Revenue from fixed-income trading rose 19 percent to $3.62 billion, while the bank's much smaller equities trading saw revenue increase 10 percent to $769 million. Combined, trading revenue jumped about 17 percent, higher than the \"low double-digit\" rise that Chief Financial Officer John Gerspach projected five weeks ago. Loans at the end of the period were up only 2 percent, from a year earlier. \"The momentum we saw across many of our businesses towards the end of last year carried into the first quarter, resulting in significantly better overall performance than a year ago,\" Chief Executive Michael Corbat said in a statement. Operating expenses were little changed at $10.48 billion. The ratio of expenses to revenue was about 58 percent, in line with the company's goal for this year. Tangible book value per share was $65.94 at the end of March, compared with $64.57 three months earlier and $62.58 a year earlier. Citigroup's shares were up marginally at $58.65 in premarket trading. Through Wednesday's close, the stock had risen about 17 percent since the U.S. presidential elections, but is down 1.6 percent so far this year. The elections sparked a rally in U.S. bank stocks as investors bet on lower taxes and easing regulations. But, the rally is losing momentum as investors scale back expectations for any quick changes. (Reporting by Sweta Singh in Bengaluru and David Henry in New York; Editing by Sriraj Kalluvila)\n",
"Name: Text, dtype: object\n"
]
},
{
"data": {
"application/vnd.jupyter.widget-view+json": {
"model_id": "31853fd746084516acca412e0f102e7f",
"version_major": 2,
"version_minor": 0
},
"text/plain": [
"interactive(children=(IntSlider(value=0, description='x', max=2, min=-1), Output()), _dom_classes=('widget-int…"
]
},
"metadata": {},
"output_type": "display_data"
},
{
"name": "stdout",
"output_type": "stream",
"text": [
"0: Unrelated news, 1: Merger,\n",
"2: Other news related to deals, investments and mergers\n",
"___________________________________________________________________________________________________________\n",
"\n",
"\n",
"News article no. 1471.0:\n",
"\n",
"HEADLINE:\n",
"1471 Whiting Petroleum posts bigger quarterly loss\n",
"Name: Title, dtype: object\n",
"\n",
"TEXT:\n",
"1471 Tue Feb 21, 2017 - 4:12pm EST Whiting Petroleum posts bigger quarterly loss A trader waits for the opening of Whiting Petroleum's stock at the post where it is traded on the floor of the New York Stock Exchange March 24, 2015. REUTERS/Brendan McDermid/File Photo Whiting Petroleum Corp ( WLL.N ), North Dakota's largest oil producer, posted a bigger quarterly loss as production fell and expenses rose. The company's net loss available to common shareholders widened to $173.3 million, or 59 cents per share, in the fourth quarter ended Dec. 31 from $98.7 million, or 48 cents per share, a year earlier. Production fell 23.4 percent to 118,890 barrels of oil equivalent per day. (Reporting by Komal Khettry and Diptendu lahiri in Bengaluru; Editing by Anil D'Silva) Up Next\n",
"Name: Text, dtype: object\n"
]
},
{
"data": {
"application/vnd.jupyter.widget-view+json": {
"model_id": "36e332f5d90d4192b795dd11e3977792",
"version_major": 2,
"version_minor": 0
},
"text/plain": [
"interactive(children=(IntSlider(value=0, description='x', max=2, min=-1), Output()), _dom_classes=('widget-int…"
]
},
"metadata": {},
"output_type": "display_data"
},
{
"name": "stdout",
"output_type": "stream",
"text": [
"0: Unrelated news, 1: Merger,\n",
"2: Other news related to deals, investments and mergers\n",
"___________________________________________________________________________________________________________\n",
"\n",
"\n",
"News article no. 591.0:\n",
"\n",
"HEADLINE:\n",
"591 Snow, rain pummel parts of California, Nevada and Oregon\n",
"Name: Title, dtype: object\n",
"\n",
"TEXT:\n",
"591 U.S. 5:00am EST Snow, rain pummel parts of California, Nevada and Oregon A private contractor clears deep snow from a driveway during a heavy winter storm in Incline Village, Nevada, U.S. January 10, 2017 REUTERS/Bob Strong Heavy rain and snowfall hit parts of California, Nevada and Oregon early on Wednesday, causing roads to be closed, schools to cancel classes and widespread flooding along already swollen waterways. A National Weather Service blizzard warning remained in effect until late on Wednesday morning for ski resort towns in the greater Lake Tahoe area, including Truckee and South Lake Tahoe, California, and neighboring Nevada enclaves of Stateline and Incline Village. Snow accumulations of 5 to 10 feet (1.5 to 3 meters) were forecast above elevations of 7,000 feet, with fierce wind gusts reaching 100 miles (160 km) per hour along the ridge of the Sierra Nevada mountain range, the National Weather Service reported. An avalanche warning was issued for much of the same mountain regions. \"Those venturing outdoors may become lost or disoriented so persons in the warning area are advised to stay indoors,\" the weather service said. Roadways, including Interstate 80 near the border of California and Nevada, were closed on Wednesday morning. Schools throughout the region canceled Wednesday classes, including the Portland Public Schools district in Oregon, attended by about 50,000 students. Several flood warnings remained in effect until Wednesday morning for lower elevations in northern and central California and in western Nevada, where creeks and rivers were expected to overrun their banks. Several communities in the region opened evacuation centers for people who heeded warnings from officials to move to higher ground to avoid flooding. Heavy downpours sent a wall of mud down onto a house in Fairfax, California, trapping an elderly couple and their two granddaughters, according to local media. Firefighters rescued the couple and children and no one was injured, an ABC affiliate reported. A series of floodgates on the Sacramento River, just upstream of California's capital, were opened for the first time in 11 years on Tuesday to divert high water around the city and into a special drainage channel, said Lauren Hersh, a spokeswoman for the state Water Resources Department. The cascade of rain and snow marked the fourth round of extreme precipitation unleashed during the past month by a weather pattern meteorologists call an \"atmospheric river\" - a dense plume of moisture flowing from the tropical Pacific into California. The storms have brought some sorely needed replenishment to many reservoirs left low by five years of drought, while restoring California's mountain snowpack to 135 percent of its average water-content level for this time of year as of Tuesday, state water officials said. (Reporting by Brendan O'Brien in Milwaukee; editing by Dominic Evans) Next In U.S.\n",
"Name: Text, dtype: object\n"
]
},
{
"data": {
"application/vnd.jupyter.widget-view+json": {
"model_id": "e898b144fbf945de934ed36cc9b1fd7c",
"version_major": 2,
"version_minor": 0
},
"text/plain": [
"interactive(children=(IntSlider(value=0, description='x', max=2, min=-1), Output()), _dom_classes=('widget-int…"
]
},
"metadata": {},
"output_type": "display_data"
},
{
"name": "stdout",
"output_type": "stream",
"text": [
"0: Unrelated news, 1: Merger,\n",
"2: Other news related to deals, investments and mergers\n",
"___________________________________________________________________________________________________________\n",
"\n",
"\n",
"News article no. 4329.0:\n",
"\n",
"HEADLINE:\n",
"4329 JGBs steady on firm 10-year auction, higher stocks cap rise\n",
"Name: Title, dtype: object\n",
"\n",
"TEXT:\n",
"4329 TOKYO, June 1 Japanese government bond prices were mostly steady on Thursday, supported by a firm 10-year auction, but confined to a tight range as Tokyo stocks were on track to rise for the first time in five days.The benchmark 10-year JGB yield was unchanged at 0.040 percent. June 10-year JGB futures inched up 0.03 points to 150.70, drawing early support from an overnight rise by U.S. Treasuries.The bid-to-cover ratio, a gauge of demand, at Thursday's 2.3 trillion yen ($20.73 billion) 10-year sale remained at a relatively high 3.64, from 3.76 at the previous auction in May.Analysts said the new 10-year sale attracted sufficient demand with yields on the maturities hovering around 0.05 percent, which has served as a ceiling since early April.Japan's Nikkei rose more than 1 percent, buoyed by upbeat news of Japanese companies' growing capital expenditure as well as the dollar's ascent from overnight lows against the yen.Long-dated U.S. Treasury yields touched their lowest in more than five weeks on month-end buying and U.S. housing data that fanned doubts that the Federal Reserve would raise interest rates again in 2017 beyond June.($1 = 110.9400 yen) (Reporting by the Tokyo markets team; Editing by Sherry Jacob-Phillips)\n",
"Name: Text, dtype: object\n"
]
},
{
"data": {
"application/vnd.jupyter.widget-view+json": {
"model_id": "2fb818e45be747c8821f8247707e8b5c",
"version_major": 2,
"version_minor": 0
},
"text/plain": [
"interactive(children=(IntSlider(value=0, description='x', max=2, min=-1), Output()), _dom_classes=('widget-int…"
]
},
"metadata": {},
"output_type": "display_data"
},
{
"name": "stdout",
"output_type": "stream",
"text": [
"0: Unrelated news, 1: Merger,\n",
"2: Other news related to deals, investments and mergers\n",
"___________________________________________________________________________________________________________\n",
"\n",
"\n",
"News article no. 6322.0:\n",
"\n",
"HEADLINE:\n",
"6322 UPDATE 1-China frees top Crown executive jailed for gambling offences -official - Reuters\n",
"Name: Title, dtype: object\n",
"\n",
"TEXT:\n",
"6322 (Adding Australian gov't statement in 4th para; Crown statement in 5th para)SHANGHAI/BEIJING, Aug 12 (Reuters) - China on Saturday freed one of the last remaining Crown Resorts Ltd executives jailed for illegally promoting gambling, as a protracted saga that forced the Australian casino operator to cancel global expansion plans and hurt profits nears an end.Jason O'Connor, head of international VIP gambling with the casino giant, was released before 7 a.m., an official told media outside the detention centre in Shanghai.The Australian was the most senior of 16 staff detained in October and jailed by a Shanghai court in June. His 10-month sentence ran from the time of his first detention on Oct. 14 last year.He was flying home following his release on Saturday, Australia's Foreign Minister Julie Bishop said in an emailed statement. She did not give a time for his arrival.Crown executive chairman John Alexander said in an emailed statement he was \"very pleased\" staff were being reunited with their families and expressed gratitude for the help provided by the Australian government and the company's legal team over the past few months.The authorities released 10 employees, including Australian nationals Jerry Xuan and Jane Pan Dan, in July.Crown, half-owned by billionaire James Packer, had been trying to attract wealthy Chinese to its casinos located outside China, where gambling is illegal, except for Macao.But the case prompted Crown, the world's biggest listed casino company outside China, to retreat from global expansion plans and sell off its Macao assets, and instead shift its focus back home. (Reporting by Xihao Jiang in SHANGHAI, Shu Zhang and Josephine Mason in BEIJING; additional reporting by Ben Cooper in SYDNEY and Brenda Goh in SHANGHAI; writing by Josephine Mason; Editing by Adrian Croft)\n",
"Name: Text, dtype: object\n"
]
},
{
"data": {
"application/vnd.jupyter.widget-view+json": {
"model_id": "f0eb6e49eb1e486ca3ea689309b30c06",
"version_major": 2,
"version_minor": 0
},
"text/plain": [
"interactive(children=(IntSlider(value=0, description='x', max=2, min=-1), Output()), _dom_classes=('widget-int…"
]
},
"metadata": {},
"output_type": "display_data"
},
{
"name": "stdout",
"output_type": "stream",
"text": [
"0: Unrelated news, 1: Merger,\n",
"2: Other news related to deals, investments and mergers\n",
"___________________________________________________________________________________________________________\n",
"\n",
"\n",
"News article no. 4568.0:\n",
"\n",
"HEADLINE:\n",
"4568 Fed could start reducing balance sheet 'relatively soon' - Yellen - Reuters\n",
"Name: Title, dtype: object\n",
"\n",
"TEXT:\n",
"4568 WASHINGTON The Federal Reserve could begin trimming its holdings of bonds \"relatively soon,\" Fed Chair Janet Yellen said on Wednesday.\"We could put this into effect relatively soon,\" Yellen told a news conference, referring to the Fed's plan to reduce reinvestments of maturing securities later this year.(Reporting by Jason Lange; Editing by Chizu Nomiyama)\n",
"Name: Text, dtype: object\n"
]
},
{
"data": {
"application/vnd.jupyter.widget-view+json": {
"model_id": "388dd0ba60af4ae8b996deeed3299eb5",
"version_major": 2,
"version_minor": 0
},
"text/plain": [
"interactive(children=(IntSlider(value=0, description='x', max=2, min=-1), Output()), _dom_classes=('widget-int…"
]
},
"metadata": {},
"output_type": "display_data"
},
{
"name": "stdout",
"output_type": "stream",
"text": [
"0: Unrelated news, 1: Merger,\n",
"2: Other news related to deals, investments and mergers\n",
"___________________________________________________________________________________________________________\n",
"\n",
"\n",
"News article no. 7740.0:\n",
"\n",
"HEADLINE:\n",
"7740 Creditors win closely watched appeal in Momentive bankruptcy\n",
"Name: Title, dtype: object\n",
"\n",
"TEXT:\n",
"7740 WILMINGTON, Del., Oct 20 (Reuters) - A U.S. appeals court in New York on Friday ruled in favor of senior creditors who had contested interest rates imposed on them during the bankruptcy of silicone maker Momentive Performance Materials, reversing a decision that had sparked alarm among lenders.The ruling by the 2nd U.S. Circuit Court of Appeals found the U.S. Bankruptcy Court in White Plains, New York, erred by not using market rates to determine the interest paid on new notes Momentive forced on holders of about $1.25 billion of secured notes.The replacement notes carried much lower rates, which were set by the court using a formula developed in a consumer bankruptcy case involving a subprime loan for a used truck.Secured creditors opposed getting notes with below-market interest and argued they were not getting the full value of their claim. Their appeal led to Fridays ruling.Lenders and bankruptcy lawyers had warned that the lower court ruling ramped up the risk in financing distressed companies. They also argued it gave struggling companies more leverage when negotiating with lenders because they could essentially threaten to impose new loans on them with below-market rates.Momentive, owned by Apollo Global Management, filed for bankruptcy in 2014. Apollo continues to own 40 percent of the company, according to securities filings, and the case bolstered Apollos reputation as a savvy investor that is willing to test legal boundaries.The case now goes back to U.S. Bankruptcy Judge Robert Drain, who was directed to determine if a market interest rate exists for the replacement notes, and if it does, to apply that rate.The Loan Syndications and Trading Association, which urged the Appeals Court to overturn the Momentive ruling, welcomed the decision.A Momentive spokesman did not immediately respond to a request for comment.Momentive filed for an initial public offering in September and said in a securities filing that a loss on the interest rate issue in the 2nd Circuit could reduce its liquidity and could increase interest costs.Holders of the secured notes had said a market rate would have led to an additional payment from Momentive of at least $150 million, according to the Appeals Court opinion.Following the ruling, Momentives notes due 2021 traded to a record high of 104.75 cents on the dollar on Friday, up over 2 points from their latest trade on Wednesday, according to MarketAxess data. (Reporting by Tom Hals in Wilmington, Delaware; Additional reporting by Davide Scigliuzzo in New York; Editing by Leslie Adler) \n",
"Name: Text, dtype: object\n"
]
},
{
"data": {
"application/vnd.jupyter.widget-view+json": {
"model_id": "e604ae16f7604f49a30974279c3ff1a5",
"version_major": 2,
"version_minor": 0
},
"text/plain": [
"interactive(children=(IntSlider(value=0, description='x', max=2, min=-1), Output()), _dom_classes=('widget-int…"
]
},
"metadata": {},
"output_type": "display_data"
},
{
"name": "stdout",
"output_type": "stream",
"text": [
"0: Unrelated news, 1: Merger,\n",
"2: Other news related to deals, investments and mergers\n",
"___________________________________________________________________________________________________________\n",
"\n",
"\n",
"News article no. 1023.0:\n",
"\n",
"HEADLINE:\n",
"1023 EMERGING MARKETS-Brazil real rises to over 1-1/2-year high as central bank acts\n",
"Name: Title, dtype: object\n",
"\n",
"TEXT:\n",
"1023 (Updates prices, adds Yellen comments)SAO PAULO Feb 14 The Brazilian real gained on Tuesday to its strongest level in more than a year and a half, following a rise in capital inflows and after the central bank resumed currency intervention following a two-week pause.The real firmed 0.45 percent to 3.096 real per dollar, its strongest showing since July 2015.Gains were limited, though, as the central bank indicated it could allow around $4.3 billion worth of currency swaps, which function like future dollar sales, to expire next month.The bank sold $300 million in currency swaps on Tuesday morning to roll over March maturities. Should it maintain that pace until the end of the month, it will roll over $2.7 billion of the roughly $7 billion due next month.Some had speculated the bank could allow all of those contracts to expire after it refrained from conducting any auctions in recent weeks.The central bank currently holds $26.5 billion worth of currency swaps on its balance sheet, down from more than $100 billion two years ago.On Tuesday, Fed Chair Janet Yellen said the Federal Reserve will likely need to raise interest rates at an upcoming meeting, although she flagged considerable uncertainty over economic policy under the Trump administration.Yellen said delaying rate increases could leave the Fed's policymaking committee behind the curve and eventually lead it to hike rates quickly, which she said could cause a recession.The dollar strengthened briefly against the real after her comments, while the Mexican peso also lost ground against the greenback. However, the peso ended the day slightly higher, up 0.14 percent at 20.25 pesos per dollar.Investors said they were waiting to see U.S. inflation data due on Wednesday, that would help clarify the Fed's decision-making on future rate hikes. (Reporting by Bruno Federowski; Editing by Lisa Von Ahn and Diane Craft)\n",
"Name: Text, dtype: object\n"
]
},
{
"data": {
"application/vnd.jupyter.widget-view+json": {
"model_id": "d4ca6d51240048628d8c53e6396add44",
"version_major": 2,
"version_minor": 0
},
"text/plain": [
"interactive(children=(IntSlider(value=0, description='x', max=2, min=-1), Output()), _dom_classes=('widget-int…"
]
},
"metadata": {},
"output_type": "display_data"
},
{
"name": "stdout",
"output_type": "stream",
"text": [
"0: Unrelated news, 1: Merger,\n",
"2: Other news related to deals, investments and mergers\n",
"___________________________________________________________________________________________________________\n",
"\n",
"\n",
"News article no. 608.0:\n",
"\n",
"HEADLINE:\n",
"608 Dangote, China's Sinotruck set up $100 million truck plant in Nigeria\n",
"Name: Title, dtype: object\n",
"\n",
"TEXT:\n",
"608 Deals 6:06am EST Dangote, China's Sinotruck set up $100 million truck plant in Nigeria Founder and Chief Executive of the Dangote Group Aliko Dangote gestures during an interview with Reuters in his office in Lagos, Nigeria, June 13, 2012. REUTERS/Akintunde Akinleye/File Photo By Chijioke Ohuocha - LAGOS LAGOS Africa's richest man Aliko Dangote has partnered with China's heavy duty truck group Sinotruck to set up a $100 million plant to assemble trucks and cars in Nigeria for local use and export, the executive director of Dangote group said. The joint venture, which is 65 percent owned by Dangote and 35 percent by Sinotruck will assemble components and knocked down parts imported from Sinotruck to the Nigerian plant. It aims to meet an expected increased demand for transport in the country as the government focuses on boosting agriculture and farmers need to move goods across the vast country. The first set of trucks will be rolled out next week, Edwin Devakumar, told Reuters in an interview in Lagos. The plant has the capacity to assemble 16 trucks a day and will export to West Africa, he said, adding the facility would expand into vehicle manufacturing. \"[The Dangote Group] has a fleet size of 12,000 trucks ... and are large users. One of the biggest challenges in the market today is logistics because we do not have a proper transport network,\" he said. Last March Dangote bid for a majority stake in Peugeot Automobile Nigeria. The results of the sale have not yet been released. Turning to Dangote's other interests, Devakumar said Dangote was on track to launch its $17 billion oil refinery plant with the first crude for processing going into the plant in October 2019. It will handle 650,000 barrels per day. The company will scale down operations in its flour milling DANGFLO.LG, sugar refinery ( DANGSUG.LG ) and tomato processing businesses however, due to dollar shortages to fund the import of raw materials, he said. Nigeria is grappling with dollar shortages brought on by low prices for oil, its mainstay, and which have hammered its currency and shrunk its foreign reserves, triggering its first recession in 25-years. \"Where the foreign exchange is not available we are cutting down our operations,\" he said. \"For example we had a vegetable oil refinery we have shut it down, we had a tomato based processing plant we have shut it down.\" Dangote's cement business ( DANGCEM.LG ) was continuing as its main raw material - limestone - could be sourced at home, he said. He added the firm commissioned a new cement plant in Sierra Leone last week and expected a plant in Congo to begin production this year. (Editing by Ulf Laessing and Alexandra Hudson) Next In Deals\n",
"Name: Text, dtype: object\n"
]
},
{
"data": {
"application/vnd.jupyter.widget-view+json": {
"model_id": "2b33883889b9416c95f522daeb334311",
"version_major": 2,
"version_minor": 0
},
"text/plain": [
"interactive(children=(IntSlider(value=0, description='x', max=2, min=-1), Output()), _dom_classes=('widget-int…"
]
},
"metadata": {},
"output_type": "display_data"
},
{
"name": "stdout",
"output_type": "stream",
"text": [
"0: Unrelated news, 1: Merger,\n",
"2: Other news related to deals, investments and mergers\n",
"___________________________________________________________________________________________________________\n",
"\n",
"\n",
"News article no. 6145.0:\n",
"\n",
"HEADLINE:\n",
"6145 No deal yet in German crisis talks with car industry-source\n",
"Name: Title, dtype: object\n",
"\n",
"TEXT:\n",
"6145 August 2, 2017 / 1:50 PM / 12 minutes ago No deal yet in German crisis talks with car industry-source 1 Min Read BERLIN, Aug 2 (Reuters) - Talks between German politicians and carmakers were still continuing on Wednesday, an insider source said, even after the auto industry association VDA said it agreed to cut emissions by updating the software of 5 million diesel cars. A source close to the negotiations said the talks between several cabinet ministers, regional premiers and auto bosses were still ongoing and had broken into several groups. A news conference is scheduled for 1400 GMT. Earlier on Wednesday, the VDA said carmakers will install new engine management software in 5 million cars to make exhaust filtering systems more effective and bring down emissions of nitrogen oxide by 25 percent to 30 percent in those cars. Reporting by Holger Hansen; Writing by Emma Thomasson; Editing by Andrea Shalal 0 : 0\n",
"Name: Text, dtype: object\n"
]
},
{
"data": {
"application/vnd.jupyter.widget-view+json": {
"model_id": "09150307326f4999bb684ba8c317f418",
"version_major": 2,
"version_minor": 0
},
"text/plain": [
"interactive(children=(IntSlider(value=0, description='x', max=2, min=-1), Output()), _dom_classes=('widget-int…"
]
},
"metadata": {},
"output_type": "display_data"
},
{
"name": "stdout",
"output_type": "stream",
"text": [
"0: Unrelated news, 1: Merger,\n",
"2: Other news related to deals, investments and mergers\n",
"___________________________________________________________________________________________________________\n",
"\n",
"\n",
"News article no. 3801.0:\n",
"\n",
"HEADLINE:\n",
"3801 Japan real wages growth slowest in nearly two years, to chill spending\n",
"Name: Title, dtype: object\n",
"\n",
"TEXT:\n",
"3801 Economy News - Tue May 9, 2017 - 1:16am BST Japan real wages growth slowest in nearly two years, to chill spending A businessman walks in Tokyo's business district, Japan January 20, 2016. REUTERS/Toru Hanai/File Photo TOKYO Japan's March real wages fell at the fastest pace in almost two years, pressured by meager nominal pay hikes and a slight rise in consumer prices, posing a setback for Prime Minister Shinzo Abe's attempts to revitalize the economy. The wages figures back recent data showing household spending fell more than expected and core consumer prices rose at a slower-than-expected pace in March, suggesting an exit from the central bank's radical quantitative easing program remains distant. Inflation-adjusted real wages dropped 0.8 percent in March from a year earlier to mark their biggest rate of decline since June 2015, labor ministry data showed on Tuesday. In nominal terms, wage earners' cash earnings fell 0.4 percent year-on-year in March, also notching the biggest rate of decrease since June 2015. The data underscores the fragile and patchy nature of Japan's economic recovery. It also bodes ill for Abe, who has repeatedly urged companies to lift worker compensation to foster sustainable growth in the world's third-largest economy through a virtuous cycle of increased household spending, higher business investment and production. The drop in March nominal cash earnings and real wages partly reflected a pullback from the same period a year earlier, when wage growth was solid, a labor ministry official said. In March 2016, nominal cash earnings rose 1.5 percent on-year and real wages increased 1.6 percent. \"We need to look at the data for April onward. We can't say by looking at just this month that the trend (in wage growth) has shifted,\" the official said. Businesses have been reluctant to raise wages despite a tight labor market. An overwhelming majority of Japanese companies said they will raise wages at a slower pace than they did last year, a Reuters poll found. Regular pay, which determines base salaries, dipped an annual 0.1 percent, falling for the first time since May last year. Overtime pay, a barometer of strength in corporate activity, fell 1.7 percent in March from a year earlier. Special payments, such as bonuses, fell 3.6 percent in March on-year, also marking the largest drop since June 2015. Special payments are generally small, so even a slight change in the amount can cause big percentage changes. To view the full tables, see the labor ministry's website at: here (Reporting by Minami Funakoshi; Editing by Shri Navaratnam)\n",
"Name: Text, dtype: object\n"
]
},
{
"data": {
"application/vnd.jupyter.widget-view+json": {
"model_id": "6db72756433b4305a81fc067788f6794",
"version_major": 2,
"version_minor": 0
},
"text/plain": [
"interactive(children=(IntSlider(value=0, description='x', max=2, min=-1), Output()), _dom_classes=('widget-int…"
]
},
"metadata": {},
"output_type": "display_data"
},
{
"name": "stdout",
"output_type": "stream",
"text": [
"0: Unrelated news, 1: Merger,\n",
"2: Other news related to deals, investments and mergers\n",
"___________________________________________________________________________________________________________\n",
"\n",
"\n",
"News article no. 7601.0:\n",
"\n",
"HEADLINE:\n",
"7601 Orders for rare $2 bln China sovereign bond issue top $20 bln - bankers\n",
"Name: Title, dtype: object\n",
"\n",
"TEXT:\n",
"7601 HONG KONG, Oct 26 (Reuters) - A rare sovereign bond issue from China has attracted orders in excess of $20 billion ahead of its pricing later on Thursday, banking sources said, as global investors scramble for a part of the $2 billion deal.The sovereigns first offshore bond offering since 2004 has a 5-year and a 10-year tranche, each of $1 billion. Bankers said orders so far were evenly split between the two tranches.Bank of China, Bank of Communications , Agricultural Bank of China, China Construction Bank, CICC,Citigroup, Deutsche Bank, HSBC, ICBC, Standard Chartered Bank, have been hired to manage the deal. (Reporting by Umesh Desai; Editing by Kim Coghill) \n",
"Name: Text, dtype: object\n"
]
},
{
"data": {
"application/vnd.jupyter.widget-view+json": {
"model_id": "fc05a06b5928443190bb19d4d415ac4c",
"version_major": 2,
"version_minor": 0
},
"text/plain": [
"interactive(children=(IntSlider(value=0, description='x', max=2, min=-1), Output()), _dom_classes=('widget-int…"
]
},
"metadata": {},
"output_type": "display_data"
},
{
"name": "stdout",
"output_type": "stream",
"text": [
"0: Unrelated news, 1: Merger,\n",
"2: Other news related to deals, investments and mergers\n",
"___________________________________________________________________________________________________________\n",
"\n",
"\n",
"News article no. 3105.0:\n",
"\n",
"HEADLINE:\n",
"3105 Odebrecht lenders to forgo early debt repayment after M&A deal\n",
"Name: Title, dtype: object\n",
"\n",
"TEXT:\n",
"3105 By Guillermo Parra-Bernal and Tatiana Bautzer - SAO PAULO SAO PAULO Creditors of Odebrecht SA have agreed to not tap proceeds from the sale of a water and sanitation utility for early repayment of loans, giving the embattled Brazilian engineering conglomerate more time to restructure 76 billion reais ($24 billion) of obligations.In a Tuesday statement, Odebrecht [ODBES.UL] said lenders allowed it to keep the 2.5 billion reais in proceeds from the sale of a 70 percent stake in Odebrecht Ambiental SA to replenish cash. That amount is enough to cover Odebrecht's cash needs for about two years, the statement said.The accord signals the willingness of Odebrecht's lenders to give it more time to reorganize amid fallout from a massive bribery probe. In recent months, some analysts and newspaper reports have speculated that the extent of the probe could force the group to seek an in-court reorganization.The sale of Odebrecht Ambiental to an investor group led by Brookfield Asset Management Inc ( BAMa.TO ) took longer than expected to close due to protracted due diligence and fears that Odebrecht's involvement in the scandal could hurt the utility's business, people familiar with the matter said.The scandal known as \"Operation Car Wash\" has almost shut Odebrecht's access to credit and new construction contracts in Brazil and a dozen countries. Odebrecht and banks are currently renegotiating about 30 billion reais in loans.Prosecutors in Brazil allege Odebrecht and rivals colluded to overcharge state firms for contracts, then used part of the extra proceeds to bribe politicians in Brazil and abroad.Odebrecht is negotiating graft-related fines with several Latin American countries to prevent upcoming elections across the region from putting the brakes on planned asset sales. Some asset sales that may soon be announced include Odebrecht's exit from a consortium running Rio de Janeiro's international airport.(Reporting by Guillermo Parra-Bernal and Tatiana Bautzer; Editing by Andrew Hay)\n",
"Name: Text, dtype: object\n"
]
},
{
"data": {
"application/vnd.jupyter.widget-view+json": {
"model_id": "16ed01ff6a6a41baadc82a7cda1d3862",
"version_major": 2,
"version_minor": 0
},
"text/plain": [
"interactive(children=(IntSlider(value=0, description='x', max=2, min=-1), Output()), _dom_classes=('widget-int…"
]
},
"metadata": {},
"output_type": "display_data"
},
{
"name": "stdout",
"output_type": "stream",
"text": [
"0: Unrelated news, 1: Merger,\n",
"2: Other news related to deals, investments and mergers\n",
"___________________________________________________________________________________________________________\n",
"\n",
"\n",
"News article no. 7973.0:\n",
"\n",
"HEADLINE:\n",
"7973 Nikkei edges closer to 21-year high; Kobe Steel stumbles 20 pct again\n",
"Name: Title, dtype: object\n",
"\n",
"TEXT:\n",
"7973 * Both Nikkei and Topix hit fresh 2-year highs* Kobe Steel plunges 20 pct to near 1-year low* Food, railway stocks bought while automakers soldBy Ayai TomisawaTOKYO, Oct 11 (Reuters) - Japans Nikkei share average rose on Wednesday in choppy trade, edging closer to a 21-year high supported by buying in defensive stocks, while Kobe Steel extended its losses after confirming a media report that it fabricated data in iron power products.Kobe Steel Ltd on Wednesday confirmed a media report that there may have been data fabrication in iron powder products.The companys shares stumbled 20 percent to near one-year low of 856 yen, after plunging 22 percent on Tuesday.The Yomiuri newspaper reported Japans third-biggest steelmaker may have fabricated data on iron powder products used typically in components such as automotive gears.The company is currently investigating the issue, a spokesman said.The Nikkei rose 0.3 percent to 20,878.07 in midmorning trade after opening a tad lower. Trading was choppy, but the index later climbed to a fresh two-year high of 20,889.05, the highest level since August 2015 and moving closer to a 21-year high.A move above the 20,952.71 level hit in June 2015 would mark its highest level since 1996.The broader Topix rose 0.1 percent to 1,697.13, also a fresh two-year high.On Wednesday, defensive stocks such as food companies and railway stocks attracted buyers, while exporters such as automakers languished after a weak yen trend has paused.The Nikkei seems to be on track to move closer to 21,000 supported by strong corporate profit hopes, said Takuya Takahashi, a strategist at Daiwa Securities.But he added that profit-taking in some sectors is possible, while geopolitical concerns related to North Korea worry investors.The dollar was up 0.1 percent at 112.60 yen after slipping to as low as 111.990 overnight amid speculation that President Donald Trumps tax overhaul plan would stall.The greenback had risen to a three-month high of 113.440 on Friday but had pulled back after a flare up in North Korea worries.Toyota Motor Corp dropped 0.7 percent, Mitsubishi Motors Corp shed 1.7 percent and Mazda Motor Corp declined 1.9 percent.Insurance stocks, which fell on the previous day, rebounded. MS&AD Insurance gained 1.2 percent, while Sompo Holdings advanced 1.0 percent.Meat processing company NH Foods rose 1.9 percent, flour products maker Nisshin Seifun Group advanced 1.1 percent, East Japan Railway gained 0.8 percent and West Japan Railway added 0.4 percent. (Editing by Sam Holmes)\n",
"Name: Text, dtype: object\n"
]
},
{
"data": {
"application/vnd.jupyter.widget-view+json": {
"model_id": "425624bec752452db777a97a146b5908",
"version_major": 2,
"version_minor": 0
},
"text/plain": [
"interactive(children=(IntSlider(value=0, description='x', max=2, min=-1), Output()), _dom_classes=('widget-int…"
]
},
"metadata": {},
"output_type": "display_data"
},
{
"name": "stdout",
"output_type": "stream",
"text": [
"0: Unrelated news, 1: Merger,\n",
"2: Other news related to deals, investments and mergers\n",
"___________________________________________________________________________________________________________\n",
"\n",
"\n",
"News article no. 2727.0:\n",
"\n",
"HEADLINE:\n",
"2727 Japan government raises business sentiment assessment, first time in four months\n",
"Name: Title, dtype: object\n",
"\n",
"TEXT:\n",
"2727 44am BST Japan government raises business sentiment assessment, first time in four months A construction site is reflected on a window as a businessman walks in Tokyo's business district, Japan January 20, 2016. REUTERS/Toru Hanai TOKYO Japan's government raised its assessment of business sentiment in April, the first upgrade in four months, after the Bank of Japan's tankan survey showed this month that the corporate mood brightened. However, the government left unchanged for the fifth month its overall assessment that the economy is recovering gradually though pockets of weakness remain. Japan's economy has shown signs of life in recent months, with exports and factory output benefiting from a recovery in global demand. Business confidence among big manufacturers improved for a second straight quarter to hit a one-and-a-half year high, the BOJ tankan released on April 3 showed, a sign the benefits of an export-driven economic recovery were broadening. \"Firms' judgment on current business conditions is improving,\" the Cabinet Office said in its monthly economic report released on Thursday. This marked an upgrade from last month, when the Cabinet Office, which helps coordinate economic policy, said business sentiment was improving gradually. The BOJ is expected to offer a more upbeat view of the economy at its policy review next week than it did a month ago, sources have told Reuters, as robust exports and factory output support recovery in the world's third-largest economy. The economy is expected to recover gradually as employment and wages continue to improve, but uncertainty in overseas economies and fluctuations in the financial markets warrant attention, the Cabinet Office said in its report. The Cabinet Office left unchanged its assessment that consumer spending is continuing to recover on the whole, capital expenditure is showing signs of pick up, and that exports are recovering. (Reporting by Minami Funakoshi; Editing by Simon Cameron-Moore)\n",
"Name: Text, dtype: object\n"
]
},
{
"data": {
"application/vnd.jupyter.widget-view+json": {
"model_id": "364130deea4d456185ebf46b8eb24518",
"version_major": 2,
"version_minor": 0
},
"text/plain": [
"interactive(children=(IntSlider(value=0, description='x', max=2, min=-1), Output()), _dom_classes=('widget-int…"
]
},
"metadata": {},
"output_type": "display_data"
},
{
"name": "stdout",
"output_type": "stream",
"text": [
"0: Unrelated news, 1: Merger,\n",
"2: Other news related to deals, investments and mergers\n",
"___________________________________________________________________________________________________________\n",
"\n",
"\n",
"News article no. 7727.0:\n",
"\n",
"HEADLINE:\n",
"7727 Merck to cut 1,800 U.S. sales jobs, add 960 jobs in chronic care\n",
"Name: Title, dtype: object\n",
"\n",
"TEXT:\n",
"7727 October 20, 2017 / 4:16 PM / Updated 38 minutes ago Merck to cut 1,800 U.S. sales jobs, add 960 in chronic care Deena Beasley 2 Min Read (Reuters) - Drugmaker Merck & Co Inc ( MRK.N ), moving to a new sales team structure in the United States, plans to cut 1,800 sales positions, while adding 960 jobs to a new chronic care sales force, the company said on Friday. The logo of Merck is pictured in this illustration photograph in Cardiff, California April 26, 2016. REUTERS/Mike Blake/Illustration/File Photo Three of Mercks U.S. sales teams will be cut: primary care, disease-focused endocrinology and hospital chronic care, spokeswoman Claire Gillespie said in an emailed statement. The aim is to better support changes in our business in the United States, she said. The spokeswoman said Mercks new chronic care team will focus on diabetes drug Januvia, as well as other primary care products such as sleep medication Belsomra, and products for respiratory conditions and womens health. She noted that Mercks pipeline also has potential new candidates in primary care - for Alzheimers disease, asthma, chronic cough and heart failure. Mercks stock was little changed in midday trading on the New York Stock Exchange, at $63.78. Earlier this month, Merck said it would not seek regulatory approval for once-promising cholesterol drug anacetrapib after disappointing trial results. Last month, the drugmaker discontinued developing an experimental drug combination for chronic hepatitis C, as competition rises and patient population shrinks. The company has previously written off an earlier hepatitis C program. Other pharmaceutical companies have also downsized. Eli Lilly & Co ( LLY.N ) earlier this month said it would lay off about 8 percent of its employees as the drugmaker, which has suffered setbacks over the past year in the development of two potential blockbuster drugs, works to cut costs. Merck said none of the jobs being eliminated are being moved outside of the United States. Reporting By Deena Beasley; Editing by Dan Grebler\n",
"Name: Text, dtype: object\n"
]
},
{
"data": {
"application/vnd.jupyter.widget-view+json": {
"model_id": "e343935d8bb1465f86dc657cbb729d95",
"version_major": 2,
"version_minor": 0
},
"text/plain": [
"interactive(children=(IntSlider(value=0, description='x', max=2, min=-1), Output()), _dom_classes=('widget-int…"
]
},
"metadata": {},
"output_type": "display_data"
},
{
"name": "stdout",
"output_type": "stream",
"text": [
"0: Unrelated news, 1: Merger,\n",
"2: Other news related to deals, investments and mergers\n",
"___________________________________________________________________________________________________________\n",
"\n",
"\n",
"News article no. 2570.0:\n",
"\n",
"HEADLINE:\n",
"2570 European regulators offer Brexit sweeteners to investment banks\n",
"Name: Title, dtype: object\n",
"\n",
"TEXT:\n",
"2570 2:11pm BST European regulators offer Brexit sweeteners to investment banks FILE PHOTO: The headquarters of the European Central Bank (ECB) are illuminated with a giant euro sign at the start of the ''Luminale, light and building'' event in Frankfurt, Germany, March 12, 2016. REUTERS/Kai Pfaffenbach/File Photo By Huw Jones , Rachel Armstrong and Jess Aguado - LONDON/MADRID LONDON/MADRID A gap in EU financial rules is allowing member countries to compete to host the trading operations of London-based investment banks after Brexit by offering looser regulatory standards. The European Central Bank is the euro zone's banking supervisor but, under EU law, does not have direct responsibility for the divisions of banks that conduct most of their market trading broker-dealers even though they are some of the most complex and riskiest parts of their businesses. This is largely because when the ECB became responsible for euro zone supervision in 2014 the bulk of broker-dealers were in London and therefore not under its purview. This means banks now looking to relocate these operations, to continue to trade continental securities after Britain leaves the EU, will have businesses approved and supervised by the national markets regulator of whichever country they move to. Countries hoping to lure banks to their financial centres after Brexit are offering differing regulatory standards, raising fears at the ECB that they could be subject to light touch supervision and undermining its aim of making financial regulation consistent across the bloc. Such inconsistencies mean broker-dealers trading the same markets in Europe could be subject to different regulatory requirements and raise the prospect that some would take on more risks than other regulators would deem appropriate. \"Regardless of balance sheet size, it's currently the national regulators who will have the authority to approve and regulate the broker-dealers. That is raising concerns of inconsistencies emerging,\" said Vishal Vedi a partner at Deloitte who is advising banks on how they will need to reorganise as a result of Brexit. Across the euro zone, the likes of Frankfurt, Dublin, Luxembourg and Madrid are vying to lure banks, hoping to benefit from the tax revenues and jobs they would bring. Regulation is one way to differentiate themselves. One area in focus is the extent to which national regulators will allow broker-dealers to conduct \"back-to-back\" trading. This is where a bank would conduct trades - for example, buying European securities - out of its EU base but process and risk manage the transactions at its London office. This would minimise the and number of people a bank would have to move to Europe after Brexit as much of the trading and risk could continue to be overseen in London. But it would mean regulators in that country and the wider euro zone would not have supervisory control over the people and units that are conducting the trading and managing the risks, with minimal amounts of capital held locally at the EU unit. SPAIN, GERMANY Spain's markets regulator CNMV has said it wants to make Madrid \"the most appealing option for investment firms considering a move from the UK to another EU country\". According to people advising investment banks on where to move, CNMV has said it would consider allowing broker-dealers to back-to-back 100 percent of their trades. Other regulators have also said they would allow some back-to-back trading, although will require a portion of the trades to be managed locally, those people said. \"We can look into it, but we will see how this plays out and what the regulatory framework will look like in two years' time,\" a CNMV spokesman said when asked whether it would allow 100 percent back-to-back trading. CNMV said in December that while it wanted to be the most welcoming place in Europe for UK financial firms, it would not accept \"totally empty shells\" or breaches to EU securities rules. Germany's regulator Bafin has meanwhile said it would consider the limited and temporary use of back-back arrangements, according to an official there, but has indicated that it would expect banks to eventually establish a substantial operation in the country. The approach by some regulators to Brexit has created resentment among some countries. Last month Ireland complained to the European Commission that it was being undercut by rival cities competing to host financial firms looking for a European Union base outside London after Brexit. The EU's European Securities and Markets Authority (ESMA) has been studying ways to limit unfair competition among the bloc's national securities regulators. It declined to comment for this article. So far, banks are showing no signs of flocking to Madrid, citing other factors such as Spain's relatively low sovereign credit rating as a reason not to go there. Countries are also diverging in how banks' risk models for their broker dealers would be assessed, with some saying they would be approved immediately if they were to use the same model to the one they use in Britain. \"Regulators differ in their approach to risk models particularly around the level of reliance that they will be prepared to place on models which have already been approved in the existing UK entity and the amount of pre-assessment they will do themselves,\" said Deloitte's Vedi. BANKS WARY Most banks - publicly at least - have yet to make a final decision on where they plan to set up their broker dealers after Brexit, and executives say they are sceptical about whether they will be allowed to use workarounds like back-to-back in the long term. \"We do suspect that following Brexit, there will be constant pressure by the EU not to 'outsource' services to the United Kingdom but to continue to move people and capabilities into EU subsidiaries,\" JPMorgan Chief Executive Jamie Dimon said in his annual letter to shareholders on Tuesday. The ECB has warned banks that if they try to cut corners by asking for back-to-back deals, they will be disappointed. But currently it does not have the legal authority to oversee broker-dealers, though sources say it is quietly trying to put pressure on countries they think are offering lower standards. The ECB declined to comment on Spain or 'back-to-back' arrangements more broadly, but instead pointed to previous comments by its officials. Sabine Lautenschlaeger, an ECB executive board member, expressed her concerns on the issue in March when she said there could be changes to EU laws to bring broker-dealers under the ECB's supervision. \"Needless to say that I would certainly not accept banks booking all exposures with the euro area entity while having their risk management and internal control systems outside the euro area,\" she said. Regulators like CNMV are currently free to cut deals as long as they don't breach EU securities rules, but the bloc's regulatory landscape could change within a year or two and cast a shadow over any deals on regulation agreed now. The EU's executive European Commission has proposed that non-EU banking firms with banking and broker-dealer operations with total assets of more than 30 billion euros in the EU, should set up an intermediate holding company inside the bloc. An intermediate holding company would come under direct ECB supervision in euro zone countries. (Additional reporting by John O'Donnell and Francesco Canepa in Frankfurt; Editing by Pravin Char)\n",
"Name: Text, dtype: object\n"
]
},
{
"data": {
"application/vnd.jupyter.widget-view+json": {
"model_id": "61d29483e7d94324959abbbb67d7ee6d",
"version_major": 2,
"version_minor": 0
},
"text/plain": [
"interactive(children=(IntSlider(value=0, description='x', max=2, min=-1), Output()), _dom_classes=('widget-int…"
]
},
"metadata": {},
"output_type": "display_data"
},
{
"name": "stdout",
"output_type": "stream",
"text": [
"0: Unrelated news, 1: Merger,\n",
"2: Other news related to deals, investments and mergers\n",
"___________________________________________________________________________________________________________\n",
"\n",
"\n",
"News article no. 8324.0:\n",
"\n",
"HEADLINE:\n",
"8324 Failed carrier Monarch investor Greybull would repay rescue bill\n",
"Name: Title, dtype: object\n",
"\n",
"TEXT:\n",
"8324 October 29, 2017 / 5:57 PM / Updated 6 minutes ago Failed carrier Monarch investor Greybull would repay rescue bill Reuters Staff 2 Min Read LONDON (Reuters) - The former owner of failed British airline Monarch said on Sunday it had a moral obligation to repay some of the bill to bring passengers home if it profits from the administration of the carrier. FILE PHOTO: Monarch airplanes are seen parked on the runway at Newquay airport, Newquay, Britain, October 26, 2017, REUTERS/Toby Melville/File Photo Monarch collapsed on Oct. 2, causing the cancellation of hundreds of thousands of holidays and marooning more than 100,000 tourists abroad. A repatriation programme was estimated to have cost the British government about 60 million pounds ($79 million). Transport Minister Chris Grayling had said that Greybull Capital should contribute to the cost of bringing the holiday-makers home, although there was no formal mechanism to demand the investment company did so. Greybull, which bailed out Monarch a year ago, pledged to defray some of the costs in a letter to lawmakers. We concur wholeheartedly with the Secretary of States recent statement that any stakeholder who finds themselves in-pocket at the end of the administration process would be under a moral obligation to contribute to other stakeholders, the company said in a statement about its letter. This would include helping to defray the costs incurred by the Department for Transport in repatriating Monarch customers. Greybull said it agreed with the minister that it was too early to judge the outcome of the administration. Monarchs administrators at accountancy firm KPMG are seeking court guidance about whether they can sell take-off and landing slots at airports such as Londons Gatwick, which reports say could be worth up to 60 million pounds. Greybull also said in the letter it remained deeply sorry and saddened that circumstances beyond its control led to the failure of Monarch despite its efforts turn around the company and the significant capital it had provided since it first invested in 2014. Reporting by Paul Sandle; Editing by Catherine Evans\n",
"Name: Text, dtype: object\n"
]
},
{
"data": {
"application/vnd.jupyter.widget-view+json": {
"model_id": "91ee37669f1c453395e85d589c90e75d",
"version_major": 2,
"version_minor": 0
},
"text/plain": [
"interactive(children=(IntSlider(value=0, description='x', max=2, min=-1), Output()), _dom_classes=('widget-int…"
]
},
"metadata": {},
"output_type": "display_data"
},
{
"name": "stdout",
"output_type": "stream",
"text": [
"0: Unrelated news, 1: Merger,\n",
"2: Other news related to deals, investments and mergers\n",
"___________________________________________________________________________________________________________\n",
"\n",
"\n",
"News article no. 8331.0:\n",
"\n",
"HEADLINE:\n",
"8331 German, French prompt prices down on anticipated wind power influx\n",
"Name: Title, dtype: object\n",
"\n",
"TEXT:\n",
"8331 October 19, 2017 / 7:33 AM / Updated 6 minutes ago German, French prompt prices down on anticipated wind power influx Reuters Staff 1 Min Read Power-generating windmill turbines are pictured at the 'Amrum Bank West' offshore windpark in the northern sea near the island of Amrum, Germany September 4, 2015. REUTERS/Morris Mac Matzen FRANKFURT (Reuters) - European spot power prices in the wholesale market on Thursday lost ground as bearish wind power output projections coincided with lower demand ahead of the weekend. German day-ahead baseload electricity was down 18 percent at 37.75 euros ($44.60) a megawatt hour (MWh) TRDEBD1 while the equivalent French contract was down 6.8 percent at 51.75 euros TRFRBD1. Thomson Reuters forecasts for German wind power output were for levels of 11 gigawatts (GW) day-on-day to Friday, double the production volume expected for Thursday, and ahead of high weekend levels and probably high volumes again next working week. Power demand on Friday will likely fall in the two interconnected power markets of Germany and France by 600 megawatts (MW), the data also showed. ($1 = 0.8465 euros) Reporting by Vera Eckert; Editing by Greg Mahlich 0 : 0\n",
"Name: Text, dtype: object\n"
]
},
{
"data": {
"application/vnd.jupyter.widget-view+json": {
"model_id": "2a9431820ac54170998198e3d2c0f35e",
"version_major": 2,
"version_minor": 0
},
"text/plain": [
"interactive(children=(IntSlider(value=0, description='x', max=2, min=-1), Output()), _dom_classes=('widget-int…"
]
},
"metadata": {},
"output_type": "display_data"
},
{
"name": "stdout",
"output_type": "stream",
"text": [
"0: Unrelated news, 1: Merger,\n",
"2: Other news related to deals, investments and mergers\n",
"___________________________________________________________________________________________________________\n",
"\n",
"\n",
"News article no. 8796.0:\n",
"\n",
"HEADLINE:\n",
"8796 BRIEF-Natural Alternatives International Q1 EPS $0.21\n",
"Name: Title, dtype: object\n",
"\n",
"TEXT:\n",
"8796 46 PM / Updated 15 minutes ago BRIEF-Natural Alternatives International Q1 EPS $0.21 Reuters Staff Nov 13 (Reuters) - Natural Alternatives International Inc : * Natural Alternatives International, Inc. announces fiscal 2018 Q1 results * Q1 earnings per share $0.21 * Q1 sales $28.1 million Source text for Eikon: \n",
"Name: Text, dtype: object\n"
]
},
{
"data": {
"application/vnd.jupyter.widget-view+json": {
"model_id": "18d49b4a1a4b42f2b49ec3b769db28bd",
"version_major": 2,
"version_minor": 0
},
"text/plain": [
"interactive(children=(IntSlider(value=0, description='x', max=2, min=-1), Output()), _dom_classes=('widget-int…"
]
},
"metadata": {},
"output_type": "display_data"
},
{
"name": "stdout",
"output_type": "stream",
"text": [
"0: Unrelated news, 1: Merger,\n",
"2: Other news related to deals, investments and mergers\n",
"___________________________________________________________________________________________________________\n",
"\n",
"\n",
"News article no. 5340.0:\n",
"\n",
"HEADLINE:\n",
"5340 Booming Business for Recruiters in Tight U.S. Job Market\n",
"Name: Title, dtype: object\n",
"\n",
"TEXT:\n",
"5340 Booming Business for Recruiters in Tight U.S. Job Market Workers are the new hot commodity By @PattyLaya More stories by Patricia Laya Its one of the best and busiest times to be a recruiter in the U.S. From headhunters engaged in searches for corporate executives to temporary staffing agencies, the industry is benefiting from unemployment at a 16-year low and a record-high number of job openings that are turning workers across all sorts of industries -- from construction to trucking to software engineering -- into hot commodities. Before it's here, it's on the Bloomberg Terminal. \n",
"Name: Text, dtype: object\n"
]
},
{
"data": {
"application/vnd.jupyter.widget-view+json": {
"model_id": "f15980f58fb24c7db9eac3923ba7461f",
"version_major": 2,
"version_minor": 0
},
"text/plain": [
"interactive(children=(IntSlider(value=0, description='x', max=2, min=-1), Output()), _dom_classes=('widget-int…"
]
},
"metadata": {},
"output_type": "display_data"
},
{
"name": "stdout",
"output_type": "stream",
"text": [
"0: Unrelated news, 1: Merger,\n",
"2: Other news related to deals, investments and mergers\n",
"___________________________________________________________________________________________________________\n",
"\n",
"\n",
"News article no. 2679.0:\n",
"\n",
"HEADLINE:\n",
"2679 RPT-Investors flock to 'macro' hedge funds, but not only the old guard\n",
"Name: Title, dtype: object\n",
"\n",
"TEXT:\n",
"2679 Company 2:00am EDT RPT-Investors flock to 'macro' hedge funds, but not only the old guard (Repeats story from Sunday) * Trump policies seen boosting macro strategy returns * Macro strategy most in demand for 2017 -Credit Suisse * Rokos, Stone Milliner, Gemsstock, EDL Capital assets climb By Maiya Keidan, Svea Herbst-Bayliss and Lawrence Delevingne LONDON/BOSTON, April 9 \"Macro\" hedge funds are back in favour with investors seeking to take a view on U.S. President Donald Trump's economic policies, European elections, or interest rates, but it is start-up funds rather than established players which are attracting cash. Some of the main beneficiaries of the macro revival are managers who cut their teeth at the big macro firms such as Moore Capital Management, Brevan Howard and Tudor Investment Corp, which made their names for outperformance in 2007-2009. Eric Siegel, head of hedge funds at Citi Private Bank, said in general that macro strategies are likely to thrive. With volatility coming back and monetary supply tightening, we believe it could be a great environment for macro managers, Siegel said. Macro funds bet on macroecnomic trends using currencies, bonds, rates and stock futures. They outperformed the broader industry during the financial crisis and amassed tens of billions of dollars between 2010 and 2012. But they lost most of those assets between 2013 and 2014 and also in 2016 for a variety of reasons, including performance. But macro is back in vogue and was the most popular hedge fund strategy among investors in the fourth quarter of 2016 and the first two months of this year, according to industry data providers Preqin and eVestment. Moore Capital's Louis Moore Bacon, Alan Howard, who co-founded Brevan Howard, and Paul Tudor Jones of Tudor Investment were among the macro stars after years of delivering double-digit returns. But during the lean years, when macro was less in favour, they had to cut fees and in some cases staff. Now newcomers, such as Moore Capital spin-out Stone Milliner, are pulling in cash and producing some strong returns. Stone Milliner's discretionary global macro closed to new money last year after taking in over $4 billion in the previous two years. Moore Capital's assets have fallen slightly from $15 billion in 2012 to $13.3 billion as of Dec. 31 2016, filings with the U.S. Securities and Exchange Commission (SEC) showed. Anglo-Swiss firm Stone Milliner, set up in 2012 by former Moore Capital portfolio managers Jens-Peter Stein and Kornelius Klobucar, averaged returns of 8.3 percent between 2014 and 2016, a source told Reuters, while Moore Capital Management averaged 3.4 percent, a second source said. London-based Gemsstock, set up in January 2014 by Moore Capital trader Darren Read and his co-founder Al Breach, made 12.8 percent on average over the same period, documents seen by Reuters showed. Chris Rokos, a Brevan Howard alumnus, raised another $2 billion in February after returns of 20 percent in 2016. EDL Capital made gains of 18.4 percent last year after ex-Moore Capital trader Edouard De Langlade launched the firm in September 2015, according to a source close to EDL Capital. It has amassed assets of $450 million to date, he said. Ben Melkman, who also formerly worked at Brevan Howard until May 2016, raised over $400 million for his launch in March, SEC filings showed. Brevan Howard's firm-wide assets fell to $14.6 billion in 2017, from $37 billion in 2012. [ here ] RUSH FOR MACRO But the old guard are fighting back. Some have been cutting fees and offering alternatives. Howard, Brevan Howard's co-founder, last month launched a new fund managed solely by him, which sources said has already amassed more than $3 billion. Tudor Investment lowered its management fees to 1.75 percent and performance fees to 20 percent in February after a reduction last year and Moore Capital cut the management fee on its Moore Macro Managers fund to 2.5 percent from 3 percent. Tudor Jones laid off 15 percent of staff in August. The firm's main Tudor BVI Global Fund started 2017 down 0.6 percent to March 3 after gaining 0.9 percent in 2016. Brevan cut its management fees to zero for some current investors in its Master Fund and its Multi-Strategy fund last September after a similar move from Caxton Associates. But for both the old and new macro funds, it is still to be determined what 2017 will hold. Even though macro funds are flat on average for the first two months of 2017, making gains of just 0.38 percent, according to Hedge Fund Research, the popularity of macro strategies is not in doubt. A Credit Suisse survey in March of more than 320 institutional investors with $1.3 trillion in hedge funds showed macro was set to be the favourite strategy of 2017. Preqin data showed that after pulling assets out of macro for three back-to-back quarters, investors added $6.4 billion to the strategy in the fourth quarter of 2016 after Trump's win. eVestment data showed that macro funds have pulled in $4.4 billion in the first two months of 2017, demonstrating a turnaround from 2016 when investors took $9.8 billion out of macro after withdrawing $10 billion in 2013 and $19.1 billion in 2014. \"I don't think macro is dead. Managers who can be nimble and are able to look outside the large liquid asset classes can still find great opportunities,\" Erin Browne, head of Global Macro Investments at UBS OConnor, said. Representatives at Tudor did not immediately respond to a request to comment. Moore Capital had no comment. A spokesman at Brevan declined to comment. (Editing by Jane Merriman)\n",
"Name: Text, dtype: object\n"
]
},
{
"data": {
"application/vnd.jupyter.widget-view+json": {
"model_id": "a88938eacc5b4309b7551bd3c33c24ad",
"version_major": 2,
"version_minor": 0
},
"text/plain": [
"interactive(children=(IntSlider(value=0, description='x', max=2, min=-1), Output()), _dom_classes=('widget-int…"
]
},
"metadata": {},
"output_type": "display_data"
},
{
"name": "stdout",
"output_type": "stream",
"text": [
"0: Unrelated news, 1: Merger,\n",
"2: Other news related to deals, investments and mergers\n",
"___________________________________________________________________________________________________________\n",
"\n",
"\n",
"News article no. 9759.0:\n",
"\n",
"HEADLINE:\n",
"9759 Oil prices slip away from 2015 highs, but market remains tight\n",
"Name: Title, dtype: object\n",
"\n",
"TEXT:\n",
"9759 December 27, 2017 / 2:18 AM / Updated 3 hours ago Oil falls from 2015 highs as rally runs out of steam Dmitry Zhdannikov 4 Min Read LONDON (Reuters) - Oil prices fell on Wednesday after hitting a near two-and-a-half year high in the previous session as analysts said the rally was gradually running out of steam despite supply outages in Libya and the North Sea. Brent crude futures dropped to $66.27 a barrel, down 1.15 percent, or 75 cents, at 1321 GMT after breaking through $67 for the first time since May 2015 the previous day. U.S. West Texas Intermediate (WTI) crude futures were at $59.53 a barrel, down 44 cents from their last settlement. WTI broke through $60 a barrel for the first time since June 2015 in the previous session. This could now be the fourth year in a row when the period around the turn of the year offers a good opportunity to start fading the market, JBC Energy said in a note. JBC said it believed the market will gradually realize it had overshot: We would have to argue that sometime over the course of January we will see a major turnaround. It said prices could fall below $60 a barrel sometime in February and could even test $55 a barrel. On Tuesday, Libya lost around 90,000 barrels per day (bpd) of crude oil supplies from a blast on a pipeline feeding Es Sider port. Repair of the pipeline could take about one week but will not have a major impact on exports, the head of Libyan state oil firm NOC told Reuters on Wednesday. The Libyan outage added to supply disruptions of recent weeks, which also included the closure of Britains largest Forties pipeline. On Wednesday, Forties was pumping at half its normal capacity and its operator was pledging to resume full flows in early January. The Forties and Libyan outages, which together amount to around 500,000 bpd, are relatively small in a global context of both production and demand approaching 100 million bpd. The net global impact of the (Libyan) pipeline explosion is relatively small and we will not blow out of proportion the impact of the incident on the supply and demand picture, said Olivier Jakob from Swiss-based Petromatrix. He said the market could be supported by a U.S. cold spell and expectations of greater heating oil consumption. Oil markets have tightened significantly over the past year thanks to voluntary supply restraint led the Middle East-dominated Organization of the Petroleum Exporting Countries (OPEC) and non-OPEC Russia. Data from the U.S. Energy Information Administration (EIA) shows that following rampant oversupply in 2015, global oil markets gradually came into balance by 2016 and started to show a slight supply deficit this year. EIA data implies a slight supply shortfall of 180,000 bpd for the first quarter of 2018. A major factor countering efforts by OPEC and Russia efforts to prop up prices is U.S. oil production, which has soared more than 16 percent since mid-2016 and is fast approaching 10 million bpd. Only OPEC king-pin Saudi Arabia and Russia produce more. The latest U.S. production figures are due to be published by the EIA on Thursday. For a graphic on global oil supply and demand, click: link reut.rs/2C9rqyC Reporting by Henning Gloystein; Editing by Kenneth Maxwell and David Evans\n",
"Name: Text, dtype: object\n"
]
},
{
"data": {
"application/vnd.jupyter.widget-view+json": {
"model_id": "73e60984b9254423a10d341d22bcc51b",
"version_major": 2,
"version_minor": 0
},
"text/plain": [
"interactive(children=(IntSlider(value=0, description='x', max=2, min=-1), Output()), _dom_classes=('widget-int…"
]
},
"metadata": {},
"output_type": "display_data"
},
{
"name": "stdout",
"output_type": "stream",
"text": [
"0: Unrelated news, 1: Merger,\n",
"2: Other news related to deals, investments and mergers\n",
"___________________________________________________________________________________________________________\n",
"\n",
"\n",
"News article no. 9162.0:\n",
"\n",
"HEADLINE:\n",
"9162 Japan's steelmakers in rare sweet spot, but Kobe Steel may miss out\n",
"Name: Title, dtype: object\n",
"\n",
"TEXT:\n",
"9162 November 1, 2017 / 9:57 AM / in 17 minutes Japan's steelmakers in rare sweet spot, but Kobe Steel may miss out Yuka Obayashi 6 Min Read TOKYO (Reuters) - Japans steelmakers are in the midst of the best market conditions in at least three years as steel prices rise with construction in full swing for the 2020 Olympics in Tokyo and automakers boosting production. FILE PHOTO: Men work at the construction site of the New National Stadium, the main stadium of Tokyo 2020 Olympics and Paralympics in Tokyo, Japan, October 13, 2017. REUTERS/Issei Kato/File Photo But the countrys third-biggest steelmaker, Kobe Steel Ltd ( 5406.T ), is likely to be left out as it struggles to cope with one of Japans biggest industrial scandals, involving widespread cheating on product specifications. The company says it has lost customers and analysts say more could cancel contracts after a seal of industrial quality was revoked last week. Last week, Japans biggest steelmaker, Nippon Steel & Sumitomo Metal Corp ( 5401.T ) reported an 800 percent increase in net profit in the first half of the 2017/18 financial year. JFE Holdings ( 5411.T ), the countrys second-biggest steel maker, posted net profit in the first half after a net loss in the year-ago period, and it forecast that full-year profit will more than double. Besides the construction for the Olympics and higher demand from auto manufacturers, Japanese steelmakers are also being boosted by a country-wide boom in hotel and shop building. Overseas, a cutback in steel production in China is helping them recover from a period of high inventories and slack profitability. With large redevelopment projects in central Tokyo, construction materials are in tighter supply, said Kiyoshi Imamura, managing director at Tokyo Steel Manufacturing Co Ltd ( 5423.T ), Japans top electric-arc furnace steelmaker. Prices for the companys main product, H-shaped beams used in construction, rose to 81,000 yen (534.3) per tonne in October, the highest since 2011, amid a tight domestic market and higher overseas prices. The Japan Iron and Steel Federation has estimated the Olympics-related projects would boost steel demand by 2-3 million tonnes in total. This is the first time since 2013 to see the steel market being pulled by stronger demand, instead of pushed by higher costs of materials, said Atsushi Yamaguchi, an analyst at SMBC Nikko Securities. This solid trend will continue through early next year, he said. TIDE IN OUR FAVOUR Backed by healthy demand from manufacturers, the average price of Nippon Steels products rose to 83,500 yen per tonne in the April-September half, the highest since the six months through March 2015. The tide is running in our favour with strong local demand from manufacturers, particularly automakers, and with construction demand getting into full swing, Toshiharu Sakae, Nippon Steels executive vice president, told an earnings news conference on Friday. FILE PHOTO: People walk in front of the construction site of the New National Stadium, the main stadium of Tokyo 2020 Olympics and Paralympics in Tokyo, Japan, October 13, 2017. REUTERS/Issei Kato/File Photo Nippon Steels net profit for the April-September period came to 99 billion yen, 9-fold higher than a year earlier. It raised its interim dividend to 30 yen per share, from its earlier prediction of 25 yen, and forecast a 30 percent climb in full-year profit. JFE Holdings executive vice president Shinichi Okada said falling exports from China helped boost steel prices in Southeast Asia, its main export target. We dont know how long it will continue, but there are no causes of concern for now, Okada said. Chinas steel output dropped in September from a record high the previous month as mills cut production to fall in line with a government campaign to fight smog. Chinas exports of steel products also declined for a 14th consecutive month in September, with January-September exports sliding nearly 30 percent from the same period a year earlier. Kobe Steel also reported a 858 percent increase in net profit for the first six months to nearly 40 billion yen, but pulled its forecast for a first annual profit in three years as it deals with the financial impact of the data cheating. The steelmakers admission last month that it had found widespread tampering in product specifications has sent companies in global supply chains scrambling to check whether the safety or performance of their goods has been compromised. Executive Vice President Naoto Umehara said the misconduct would likely reduce Kobe Steels second-half recurring profit by 10 billion yen, 70 percent of which will mainly come from the steel business. We understand our customers are taking a harsh view of the data fabrication, Umehara said. An immediate impact may be limited, but we may see more impact as time goes by. Nippon Steels Sakae and JFEs Okada said they have not received orders from customers of Kobe Steel. Investors are generally upbeat about the steel market. Business condition for steelmakers looks fairly healthy with falling exports from China and strong capital expenditure worldwide, said Naoki Fujiwara, chief fund manager at Shinkin Asset Management. Shares in steelmakers could have attracted more attention if Kobe Steels scandal did not happen, he said. As long as the data cheating stays at the one company, rivals will likely benefit as Kobe Steel customers will likely reduce orders, he said. Reporting by Yuka Obayashi; Editing by Aaron Sheldrick and Raju Gopalakrishnan\n",
"Name: Text, dtype: object\n"
]
},
{
"data": {
"application/vnd.jupyter.widget-view+json": {
"model_id": "ea8d29e17e484c0ab64ca9435b31eb1e",
"version_major": 2,
"version_minor": 0
},
"text/plain": [
"interactive(children=(IntSlider(value=0, description='x', max=2, min=-1), Output()), _dom_classes=('widget-int…"
]
},
"metadata": {},
"output_type": "display_data"
},
{
"name": "stdout",
"output_type": "stream",
"text": [
"0: Unrelated news, 1: Merger,\n",
"2: Other news related to deals, investments and mergers\n",
"___________________________________________________________________________________________________________\n",
"\n",
"\n",
"News article no. 6235.0:\n",
"\n",
"HEADLINE:\n",
"6235 Property firm Derwent London raises full-year rents forecast\n",
"Name: Title, dtype: object\n",
"\n",
"TEXT:\n",
"6235 31 AM / 33 minutes ago Property firm Derwent London raises full-year rents forecast Reuters Staff 1 Min Read (Reuters) - Derwent London ( DLN.L ), a central London office developer, raised its full-year rents guidance after achieving a record level of new lettings in the first half despite concerns about Brexit. The company said it expected full-year rental values to vary between a 3 percent fall and 2 percent growth, up from a previous estimate of a 5 percent drop to flat growth. Derwent London said EPRA net asset value rose 0.9 percent to 3,582 pence ($46.48) in the six months ended June 30. Reporting by Esha Vaish in Bengaluru; editing by Jason Neely 0 : 0\n",
"Name: Text, dtype: object\n"
]
},
{
"data": {
"application/vnd.jupyter.widget-view+json": {
"model_id": "4e3f77e0336548ada33846f04f18ee3e",
"version_major": 2,
"version_minor": 0
},
"text/plain": [
"interactive(children=(IntSlider(value=0, description='x', max=2, min=-1), Output()), _dom_classes=('widget-int…"
]
},
"metadata": {},
"output_type": "display_data"
},
{
"name": "stdout",
"output_type": "stream",
"text": [
"0: Unrelated news, 1: Merger,\n",
"2: Other news related to deals, investments and mergers\n",
"___________________________________________________________________________________________________________\n",
"\n",
"\n",
"News article no. 1622.0:\n",
"\n",
"HEADLINE:\n",
"1622 Euro zone economy still needs ECB support - Draghi\n",
"Name: Title, dtype: object\n",
"\n",
"TEXT:\n",
"1622 38pm GMT ECB won't act on temporary inflation spikes - Draghi BRUSSELS The European Central Bank will not tighten policy to counter surging inflation as the rise is temporary and due almost entirely to rising oil prices, ECB President Mario Draghi said on Monday, brushing aside calls for the ECB to reduce stimulus. The currency bloc's recovery is gaining strength but labour market slack remains large, productivity growth is weak and risks remain tilted to the downside, requiring the ECB's continued help, Draghi told the European Parliament's committee on economic affairs. With inflation surging to the ECB's target last month, calls, particularly from Berlin, have increased for the bank to claw back stimulus and start phasing out its 2.3 trillion euro asset buying programme, which has kept borrowing costs at record lows for years. Echoing the message of Peter Praet, his chief economist, Draghi said the ECB would not react to short term and temporary swings in data, suggesting that any tapering, or winding down the asset buys is far into the future. \"Support from our monetary policy measures is still needed if inflation rates are to converge towards our objective with sufficient confidence and in a sustained manner,\" Draghi said. \"Our monetary policy strategy prescribes that we should not react to individual data points and short-lived increases in inflation,\" Draghi said. \"We therefore continue to look through changes in (harmonised) inflation if we believe they do not durably affect the medium-term outlook for price stability. The ECB's asset buys will be reduced by a quarter from April but are set to continue at least until the end of the year. Euro zone inflation hit 1.8 percent in January and is likely to exceed the ECB's target of almost 2 percent in the coming months, firming resistance in Germany, the euro zone's biggest economy, to the ECB's policy of easy cash. But core inflation, which excludes energy and food prices, is still low and Draghi pointed to weak underlying trends as a key reason for continued monetary support. \"So far underlying inflation pressures remain very subdued and are expected to pick up only gradually as we go on,\" he said. \"This lack of momentum in underlying inflation reflects largely weak domestic cost pressures.\" (Reporting by Balazs Koranyi, Francesco Canepa and Andreas Framke Editing by Jeremy Gaunt) FILE PHOTO: European Central Bank (ECB) President Mario Draghi testifies before the European Parliament's Economic and Monetary Affairs Committee in Brussels, Belgium, February 15, 2016. REUTERS/Yves Herman/File Photo Next In Business News British \n",
"Name: Text, dtype: object\n"
]
},
{
"data": {
"application/vnd.jupyter.widget-view+json": {
"model_id": "1868e41c48bd4755b4ad78093ad26dfc",
"version_major": 2,
"version_minor": 0
},
"text/plain": [
"interactive(children=(IntSlider(value=0, description='x', max=2, min=-1), Output()), _dom_classes=('widget-int…"
]
},
"metadata": {},
"output_type": "display_data"
},
{
"name": "stdout",
"output_type": "stream",
"text": [
"0: Unrelated news, 1: Merger,\n",
"2: Other news related to deals, investments and mergers\n",
"___________________________________________________________________________________________________________\n",
"\n",
"\n",
"News article no. 4984.0:\n",
"\n",
"HEADLINE:\n",
"4984 EU, Rome seal preliminary rescue deal for Monte dei Paschi\n",
"Name: Title, dtype: object\n",
"\n",
"TEXT:\n",
"4984 Top News - Thu Jun 1, 2017 - 3:57pm BST EU, Rome seal preliminary rescue deal for Monte dei Paschi FILE PHOTO: The Monte dei Paschi bank headquarters is pictured in Siena, Italy, August 16, 2013. REUTERS/Stefano Rellandini/File Photo By Robert-Jan Bartunek and Silvia Aloisi - BRUSSELS/MILAN BRUSSELS/MILAN The European Commission and Italy have reached a preliminary agreement on a state bailout for Monte dei Paschi di Siena ( BMPS.MI ) that includes heavy cost cuts, losses for some investors and a cap on pay for the bank's top executives. The deal brings close to an end months of negotiations over the fate of the world's oldest bank and Italy's fourth biggest lender, the worst performer in European stress tests last year. The Commission said it had agreed in principle on a restructuring plan for the bank so that it can be bailed out by the state under new European rules for dealing with bank crises. \"It would allow Italy to inject capital into MPS as a precaution, in line with EU rules, whilst limiting the burden on Italian taxpayers,\" Competition Commissioner Margrethe Vestager said in a statement. The bank would undergo deep restructuring to ensure its viability, including by cleaning its balance sheet of non-performing loans, she said. Burdened by a bad loan pile and a mismanagement scandal, Monte dei Paschi has been for years at the forefront of Italy's slow-brewing banking crisis. It was forced to request state aid in December to help cover a capital shortfall of 8.8 billion euros (7.6 billion) after it failed to raise money on the market. The accord with the European Commission exploits an exception in current EU rules allowing member states to bolster the capital buffers of a bank provided it is solvent and that shareholders and junior bondholders shoulder some of the losses. The government could end up injecting some 6.6 billion euros into the bank, taking a stake of around 70 percent. The agreement with Brussels is conditional on the European Central Bank confirming the lender meets capital requirements and on the sale of some 26 billion euros in soured debts to private investors. Monte dei Paschi said on Monday it was in exclusive talks until June 28 with a domestic fund and a group of investors to shift the debts off its balance sheet and sell them repackaged as securities. Sources close to the matter said the price at which Monte dei Paschi sells those bad debts would be key for the bailout, as a low price would require the bank to book further loan losses which could not be covered by the state. Details of Monte dei Paschi's restructuring plan have not been made public, but it is expected to include thousands of job cuts and the closure of hundreds of branches as the bank must ensure it is profitable in the long term. \"MPS will take a number of measures to substantially increase its efficiency,\" the Commission's statement said. The EU deal also imposes a cap on senior management pay equivalent to 10 times the average salary of Monte dei Paschi's staff. As a result, the annual salary of Chief Executive Marco Morelli should be cut to around 500,000 euros from more than 1.8 million euros, according to a source. The Commission said retail investors who were mis-sold the bank's junior bonds would be eligible for compensation. Italy faces a much bigger hurdle in winning European approval for a state bailout of two other banks, Banca Popolare di Vicenza and Veneto Banca. Sources have said the EU Commission has demanded an additional injection of 1.2 billion euros by private investors before taxpayer money can be used, but Rome is struggling to find any investor willing to stump up the money. (Editing by Adrian Croft)\n",
"Name: Text, dtype: object\n"
]
},
{
"data": {
"application/vnd.jupyter.widget-view+json": {
"model_id": "b6e13f9b3b3b41609e3deed6d9aa449f",
"version_major": 2,
"version_minor": 0
},
"text/plain": [
"interactive(children=(IntSlider(value=0, description='x', max=2, min=-1), Output()), _dom_classes=('widget-int…"
]
},
"metadata": {},
"output_type": "display_data"
},
{
"name": "stdout",
"output_type": "stream",
"text": [
"0: Unrelated news, 1: Merger,\n",
"2: Other news related to deals, investments and mergers\n",
"___________________________________________________________________________________________________________\n",
"\n",
"\n",
"News article no. 9460.0:\n",
"\n",
"HEADLINE:\n",
"9460 BUZZ-Dish TV India slides on bigger-than-expected Q2 loss\n",
"Name: Title, dtype: object\n",
"\n",
"TEXT:\n",
"9460 ** Dish TV India Ltd slips as much as 2.9 pct at 78.20 rupees, its lowest since Nov 23** Co posted Sept-qtr loss of 178.7 mln rupees ($2.8 mln) on Tuesday vs analysts loss estimate of 92.6 mln rupees** Broadly flat ARPU compared to last qtr and higher operating expenses were key negatives in Q2 - HDFC Securities** But inexpensive valuations, synergies from merger with Videocon D2H, digitisation are positives - analysts say** Management reiterated guidance on synergy benefits from Videocon D2H merger, despite delay in approval from Ministry of Information & Broadcasting - analysts** Stock down 4.8 pct this year up to Tuesday ($1 = 64.4250 Indian rupees) \n",
"Name: Text, dtype: object\n"
]
},
{
"data": {
"application/vnd.jupyter.widget-view+json": {
"model_id": "f13a36c7cd9040ce85d7b6942d2beeb9",
"version_major": 2,
"version_minor": 0
},
"text/plain": [
"interactive(children=(IntSlider(value=0, description='x', max=2, min=-1), Output()), _dom_classes=('widget-int…"
]
},
"metadata": {},
"output_type": "display_data"
},
{
"name": "stdout",
"output_type": "stream",
"text": [
"0: Unrelated news, 1: Merger,\n",
"2: Other news related to deals, investments and mergers\n",
"___________________________________________________________________________________________________________\n",
"\n",
"\n",
"News article no. 5610.0:\n",
"\n",
"HEADLINE:\n",
"5610 Moody's gets licence to rate Saudi Arabia's corporates\n",
"Name: Title, dtype: object\n",
"\n",
"TEXT:\n",
"5610 July 31, 2017 / 2:28 PM / 2 minutes ago Moody's gets licence to rate Saudi Arabia's corporates 2 Min Read DUBAI, July 31 (Reuters) - Moody's has obtained a licence to operate rating activities in Saudi Arabia, joining the two major foreign credit rating agencies Fitch and Standard & Poor's, as the country seeks to develop its corporate debt capital markets. Saudi Arabia's corporate sector has traditionally relied on the bank loan market to back its funding requirements. But since low oil prices started impacting liquidity in the local banking system, authorities have encouraged more bond issuances as bonds allow a larger investor base such as insurance and pension funds to be tapped, therefore reducing the strain on the banking system. The sovereign itself issued its first international bond last year a record breaking $17.5 billion issuance to plug a budget deficit caused by lower oil prices. The bond was followed by a $9 billion international sukuk earlier this year and, this month, by the launch of a domestic sukuk programme through an issuance equivalent to $4.5 billion. Saudi Arabia's Capital Markets Authority (CMA) said on Monday that as part of its responsibility to regulate and develop credit rating activities, it had authorised Moody's Investors Service Middle East Limited to conduct credit rating in the country. Standard & Poor's obtained a similar licence last October. It was followed by Fitch, which obtained the same permission last April. The CMA started receiving applications to conduct credit rating in 2015. (Reporting by Davide Barbuscia, editing by David Evans) 0 : 0\n",
"Name: Text, dtype: object\n"
]
},
{
"data": {
"application/vnd.jupyter.widget-view+json": {
"model_id": "efb84d376a084d6886fb731e80952b0e",
"version_major": 2,
"version_minor": 0
},
"text/plain": [
"interactive(children=(IntSlider(value=0, description='x', max=2, min=-1), Output()), _dom_classes=('widget-int…"
]
},
"metadata": {},
"output_type": "display_data"
},
{
"name": "stdout",
"output_type": "stream",
"text": [
"0: Unrelated news, 1: Merger,\n",
"2: Other news related to deals, investments and mergers\n",
"___________________________________________________________________________________________________________\n",
"\n",
"\n",
"News article no. 6703.0:\n",
"\n",
"HEADLINE:\n",
"6703 Jana claims EQT-Rice Energy deal synergies 'grossly exaggerated'\n",
"Name: Title, dtype: object\n",
"\n",
"TEXT:\n",
"6703 (Reuters) - Activist investor Jana Partners said EQT Corps ( EQT.N ) plan to save $2.50 billion after its acquisition of Rice Energy Inc ( RICE.N ) was grossly exaggerated, further mounting pressure on the oil and gas producer to abandon the deal.An analysis showed the combination with Rice Energy's assets would increase the average lateral length of a well by less than 1,000 feet, not the 4,000 feet increase that EQT claimed, Jana said in a letter to EQT's board on Wednesday. ( bit.ly/2yqa8bH )Given the massive disparity between EQTs claims and what our analysis reveals, we are forced to question whether the Board conducted adequate diligence before approving this transaction, the hedge fund said.Jana, which owns a 5.8 percent stake in EQT, has urged the company to abandon its $6.7 billion acquisition of Rice Energy and spin off its midstream business.Janas letter comes just days after hedge fund D.E. Shaw & Co LP urged EQT to spilt up its production and midstream units after closing the Rice Energy deal.Reporting by Yashaswini Swamynathan in Bengaluru; Editing by Shounak Dasgupta \n",
"Name: Text, dtype: object\n"
]
},
{
"data": {
"application/vnd.jupyter.widget-view+json": {
"model_id": "a0f65b3d61024b4eac85c62033d856ad",
"version_major": 2,
"version_minor": 0
},
"text/plain": [
"interactive(children=(IntSlider(value=2, description='x', max=2, min=-1), Output()), _dom_classes=('widget-int…"
]
},
"metadata": {},
"output_type": "display_data"
},
{
"name": "stdout",
"output_type": "stream",
"text": [
"0: Unrelated news, 1: Merger,\n",
"2: Other news related to deals, investments and mergers\n",
"___________________________________________________________________________________________________________\n",
"\n",
"\n",
"News article no. 8930.0:\n",
"\n",
"HEADLINE:\n",
"8930 CEE MARKETS-Debt sales draw robust demand, Hungarian yields set record lows\n",
"Name: Title, dtype: object\n",
"\n",
"TEXT:\n",
"8930 * Demand heavy at auctions in Budapest, Prague, Warsaw * Long-term Hungarian bonds trade at record low yields * Central bank measures to curb yields weigh on forint (Recasts with debt auctions.) By Sandor Peto BUDAPEST, Nov 23 (Reuters) - Hungarian long-term government bonds traded at record low yields on Thursday after their first auction since the central bank announced measures to push yields lower. Debt auctions in Prague and Warsaw also drew robust demand. Hungary sold 3-, 5- and 10-year bonds worth 99 billion forints at its own auctions, 80 percent more than planned . The longer bonds were sold at record low yields, and secondary market trading settled at the same levels after the primary sale: the 5-year benchmark at 1.04 percent and the 10-year paper at 2.04 percent. The sale came two days after Hungary's central bank, one of the most dovish in the world, announced that it would launch a big interest rate swap programme from January to push long-term yield lower, and also a mortgage note buying scheme. The comments helped drive Hungarian bond yields down after a steep decline since March. Some market participants expect the NBH's loose policy to weaken the forint to one-year lows past 315 against the euro later this year. The strong bond sale helped the currency reverse an early weakening. At 1421 GMT, it traded at 312.62, a touch firmer from Wednesday. Polish bond yields, which are well above Hungarian levels also fell, after an auction in Warsaw. Following the auction, Polish 10-year debt traded at a yield of 3.33 percent, down 7 basis points. Analysts said demand got a boost from Wednesday's Federal Reserve minutes, which suggested that U.S. interest rates may rise more slowly than expected. Demand at an auction of Czech 19-week Treasury bills also jumped, driven by banks trying to keep cash off their books at the end of the year, to reduce a charge they have to pay to a national resolution fund. The crown extended the gains reached in the past weeks as expectations grew that the Czech central bank would further raise interest rates. The currency set a 4 1/2-year high against the euro, trading at 25.431, up 0.2 percent. The leu eased, hovering near record lows. The Romanian government rejected all bids at a one-year Treasury bill auctions. Surging yields have caused several auctions to fail since October, along with a decline by leu amid corruption scandals and a rise in inflation. CEE MARKETS SNAPSH AT 1521 CET OT CURRENCIES Latest Previo Daily Change us bid close change in 2017 Czech crown 25.431 25.487 +0.22 6.20% 0 5 % Hungary 312.62 312.75 +0.04 -1.22% forint 00 00 % Polish zloty 4.2102 4.2051 -0.12% 4.60% Romanian leu 4.6530 4.6515 -0.03% -2.54% Croatian 7.5730 7.5775 +0.06 -0.24% kuna % Serbian 119.35 119.19 -0.13% 3.35% dinar 00 00 Note: daily calculated previo close 1800 change from us at CET STOCKS Latest Previo Daily Change us close change in 2017 Prague 1045.2 1046.6 -0.13% +13.4 6 1 2% Budapest 39965. 40131. -0.41% +24.8 27 37 8% Warsaw 2512.9 2489.5 +0.94 +29.0 2 0 % 1% Bucharest 7784.1 7772.9 +0.14 +9.87 9 6 % % Ljubljana 781.69 786.11 -0.56% +8.93 % Zagreb 1860.3 1857.6 +0.14 -6.74% 0 5 % Belgrade 736.19 731.78 +0.60 +2.62 % % Sofia 667.71 669.38 -0.25% +13.8 6% BONDS Yield Yield Spread Daily (bid) change vs change Bund in Czech spread Republic 2-year 0.473 0.093 +116b +8bps ps 5-year 1.024 0.141 +135b +14bp ps s 10-year 1.757 -0.025 +141b -2bps ps Poland 2-year 1.551 -0.004 +224b -1bps ps 5-year 2.565 -0.038 +289b -4bps ps 10-year 3.34 -0.049 +299b -5bps ps FORWARD RATE AGREEMENT 3x6 6x9 9x12 3M interb ank Czech Rep <PR 1.03 1.21 1.34 0 IBOR=> Hungary <BU 0.03 0.06 0.1 0.03 BOR=> Poland <WI 1.785 1.83 1.92 1.73 BOR=> Note: FRA are for ask Quote: s prices\n",
"Name: Text, dtype: object\n"
]
},
{
"data": {
"application/vnd.jupyter.widget-view+json": {
"model_id": "762b9117a9ac4154a0789076c79fa9dd",
"version_major": 2,
"version_minor": 0
},
"text/plain": [
"interactive(children=(IntSlider(value=0, description='x', max=2, min=-1), Output()), _dom_classes=('widget-int…"
]
},
"metadata": {},
"output_type": "display_data"
},
{
"name": "stdout",
"output_type": "stream",
"text": [
"0: Unrelated news, 1: Merger,\n",
"2: Other news related to deals, investments and mergers\n",
"___________________________________________________________________________________________________________\n",
"\n",
"\n",
"News article no. 6268.0:\n",
"\n",
"HEADLINE:\n",
"6268 Junk Bonds Are Big Winner a Decade After Financial Crisis\n",
"Name: Title, dtype: object\n",
"\n",
"TEXT:\n",
"6268 Junk Bonds Are Big Winner a Decade After Financial Crisis Commodities, oil, euro lost ground over past 10 years By @natashadoff More stories by Natasha Doff If youd bought European high-yield bonds the day the global financial crisis erupted, closed your eyes and held onto them through the unprecedented events of the following decade, you would now be sitting on a 100 percentreturn. On the other hand, if youd put your money in major commodities, other than gold, you would have lost 50 percent. Most bond markets, U.S. stocks and the dollar would have been a good bet. Before it's here, it's on the Bloomberg Terminal. \n",
"Name: Text, dtype: object\n"
]
},
{
"data": {
"application/vnd.jupyter.widget-view+json": {
"model_id": "28bc13c9e13449d395596de7d1e5096d",
"version_major": 2,
"version_minor": 0
},
"text/plain": [
"interactive(children=(IntSlider(value=0, description='x', max=2, min=-1), Output()), _dom_classes=('widget-int…"
]
},
"metadata": {},
"output_type": "display_data"
},
{
"name": "stdout",
"output_type": "stream",
"text": [
"0: Unrelated news, 1: Merger,\n",
"2: Other news related to deals, investments and mergers\n",
"___________________________________________________________________________________________________________\n",
"\n",
"\n",
"News article no. 8719.0:\n",
"\n",
"HEADLINE:\n",
"8719 Swedish utility Vattenfall gets UK distribution networks licence\n",
"Name: Title, dtype: object\n",
"\n",
"TEXT:\n",
"8719 November 3, 2017 / 9:03 Swedish utility Vattenfall gets UK distribution networks licence Lefteris Karagiannopoulos 2 Min Read OSLO (Reuters) - Swedish energy utility Vattenfall [VATN.UL] has won a distribution networks operator licence from Britains energy regulator Ofgem and will start operating in the competitive UK market in 2018, Vattenfall said. A Vattenfall cooling plant is seen in Berlin, Germany August 15, 2017. Picture taken August 15, 2017. REUTERS/Axel Schmidt Vattenfall, one of the biggest wind energy producers in Britain with capacity nearing 1 gigawatt (GW), formed a unit to own and operate the networks to meet the licence requirements. The company would not seek to link up with existing distributors but, like them, it has to be careful with its cost structure in the British market, Annika Viklund, senior vice president of Vattenfall distribution, told Reuters. A potential price cap on the retail energy sector in Britain would challenge energy firms to innovate, Viklund said. We are not concerned. I think it will sharpen competition, she added. The British government asked energy market regulator Ofgem this month to come up with a price cap on the retail energy sector that would last until 2020. Having been awarded the licence to operate distribution networks, Vattenfall would now look at increasing its battery storage in Britain, spokesman Jason Ormiston said. We are currently investigating other opportunities and developing an overall battery storage strategy for the UK, he said. One potential battery storage investment the firm is considering will be a 10 megawatt (MW) facility at the recently completed Ray wind farm in northern England. Vattenfall is already building a 22 MW storage project at its Pen y Cymoedd onshore wind farm in Wales, which is scheduled to be operational in February 2018. Editing by Edmund Blair\n",
"Name: Text, dtype: object\n"
]
},
{
"data": {
"application/vnd.jupyter.widget-view+json": {
"model_id": "fa2627495d7747bf966448949313773f",
"version_major": 2,
"version_minor": 0
},
"text/plain": [
"interactive(children=(IntSlider(value=0, description='x', max=2, min=-1), Output()), _dom_classes=('widget-int…"
]
},
"metadata": {},
"output_type": "display_data"
},
{
"name": "stdout",
"output_type": "stream",
"text": [
"0: Unrelated news, 1: Merger,\n",
"2: Other news related to deals, investments and mergers\n",
"___________________________________________________________________________________________________________\n",
"\n",
"\n",
"News article no. 5012.0:\n",
"\n",
"HEADLINE:\n",
"5012 Shire gets injunction against Roche over haemophilia drug\n",
"Name: Title, dtype: object\n",
"\n",
"TEXT:\n",
"5012 Health News - Sun Jul 9, 2017 - 4:34pm BST Shire gets injunction against Roche over hemophilia drug CEO of Shire, Dr Flemming Ornskov, poses for a photograph in London, Britain, July 3, 2017. REUTERS/Peter Nicholls - RTS19MDH ZURICH Pharmaceutical group Shire ( SHP.L ) said on Sunday it had obtained a preliminary injunction in a Hamburg court against rival Roche ( ROG.S ) over its hemophilia drug emicizumab, alleging incomplete and misleading statements surrounding the treatment. Swiss drugmaker Roche is hoping to win a slice of the $11 billion-a-year hemophilia drug market with emicizumab, also known as ACE910 and designed to compete with more traditional treatments from Novo Nordisk ( NOVOb.CO ) and Shire. \"Shire's goal with this action is to ensure the hemophilia community receives sufficient, accurate information from Roche about the reported serious adverse events (SAEs) in the Phase 3 emicizumab trial, enabling physicians and their patients to make properly informed decisions about patient care.\" Roche said in an emailed statement it would not comment on Shire's statement but said it stood behind emicizumab data and its clinical trial protocol. \"Our decisions and actions are always based on doing what is right for patients,\" Roche said. Last month, Roche said emicizumab cut the bleed rate by 87 percent in patients with resistance to standard therapy compared with those who received another treatment. At the time, analysts cited adverse events in Roche's studies including thrombotic microangiopathy -- damage to blood vessels in vital organs -- that accompanied repeated high doses of bypassing agents given to counter bleeds that occurred despite emicizumab treatment. Shire said in a statement the injunction sought to \"prevent further dissemination of the inaccurate and misleading characterization of the serious adverse events that occurred in the HAVEN 1 Phase 3 trial of emicizumab.\" \"The injunction also seeks to correct promotion of the primary data results relative to 'treated bleeds' (a secondary endpoint) as compared to the primary endpoint of 'number of bleeds over time' established at the outset of the trial,\" Shire said. The preliminary injunction is an interim measure and Roche can appeal it, Shire also said. (Reporting by Joshua Franklin. Editing by Jane Merriman) \n",
"Name: Text, dtype: object\n"
]
},
{
"data": {
"application/vnd.jupyter.widget-view+json": {
"model_id": "b9d243f74d9e4292ab650bbd5274649e",
"version_major": 2,
"version_minor": 0
},
"text/plain": [
"interactive(children=(IntSlider(value=0, description='x', max=2, min=-1), Output()), _dom_classes=('widget-int…"
]
},
"metadata": {},
"output_type": "display_data"
},
{
"name": "stdout",
"output_type": "stream",
"text": [
"0: Unrelated news, 1: Merger,\n",
"2: Other news related to deals, investments and mergers\n",
"___________________________________________________________________________________________________________\n",
"\n",
"\n",
"News article no. 5307.0:\n",
"\n",
"HEADLINE:\n",
"5307 AB InBev earnings rise despite Brazil weakness\n",
"Name: Title, dtype: object\n",
"\n",
"TEXT:\n",
"5307 July 27, 2017 / 5:15 AM / 13 hours ago AB InBev earnings rise despite Brazil weakness 1 Min Read BRUSSELS, July 27 (Reuters) - Anheuser-Busch InBev, the world's largest beer maker, reported an increase in second-quarter earnings on Thursday as gains in Mexico and recently acquired assets in South Africa and Australia offset weakness in Brazil. The brewer of Budweiser, Stella Artois and Corona, which makes more than a quarter of the world's beer, saw a 1 percent increase in beer volumes and shifted consumers onto higher priced beers, resulting in a 5 percent increase in revenues. Second-quarter core profit (EBITDA) was up 11.8 percent excluding currency shifts and on a like-for-like basis, at $5.35 billion, compared with the average forecast in a Reuters poll of $5.40 billion. (Reporting By Philip Blenkinsop; editing by Robert-Jan Bartunek) 0 : 0 \n",
"Name: Text, dtype: object\n"
]
},
{
"data": {
"application/vnd.jupyter.widget-view+json": {
"model_id": "2d2028f24f8d4b54b55cf8397053cc3a",
"version_major": 2,
"version_minor": 0
},
"text/plain": [
"interactive(children=(IntSlider(value=0, description='x', max=2, min=-1), Output()), _dom_classes=('widget-int…"
]
},
"metadata": {},
"output_type": "display_data"
},
{
"name": "stdout",
"output_type": "stream",
"text": [
"0: Unrelated news, 1: Merger,\n",
"2: Other news related to deals, investments and mergers\n",
"___________________________________________________________________________________________________________\n",
"\n",
"\n",
"News article no. 9191.0:\n",
"\n",
"HEADLINE:\n",
"9191 Gig economy workers in UK risk missing out on 22,200 of pension - Business\n",
"Name: Title, dtype: object\n",
"\n",
"TEXT:\n",
"9191 More than a million workers in Britains gig economy risk losing more than 22,000 each from being wrongly labelled as self-employed, according to research that shows the dangers posed to people in fragile employment.The insurance firm Zurich said forcing gig economy companies to classify their workers as employees rather than self-employed would mean automatic enrolment in a workplace pension. Under these rules, it estimates a typical worker aged 25 and earning 25,000 a year would receive a total of 22,200 in employer contributions by the time they retire.The analysis carried out for the insurer by the Pensions Policy Institute comes after the government delayed reforms designed to improve the rights for up to 1.1 million workers in the gig economy until next year , amid growing fears it could face opposition from the right wing of the Conservative party. In July, Theresa Mays adviser on modern work, Matthew Taylor , recommended reforms to employment law. MPs have suggested some gig economy firms, including digital operators such as Uber and Deliveroo, may have been exploiting gaps in current legislation. Chris Atkinson at Zurich UK said: Employment law is lagging far behind advances in working practices, which is leaving some people in the gig economy at risk of being denied basic rights.\n",
"Name: Text, dtype: object\n"
]
},
{
"data": {
"application/vnd.jupyter.widget-view+json": {
"model_id": "60c4c99effda467288894356860c52ba",
"version_major": 2,
"version_minor": 0
},
"text/plain": [
"interactive(children=(IntSlider(value=0, description='x', max=2, min=-1), Output()), _dom_classes=('widget-int…"
]
},
"metadata": {},
"output_type": "display_data"
},
{
"name": "stdout",
"output_type": "stream",
"text": [
"0: Unrelated news, 1: Merger,\n",
"2: Other news related to deals, investments and mergers\n",
"___________________________________________________________________________________________________________\n",
"\n",
"\n",
"News article no. 6583.0:\n",
"\n",
"HEADLINE:\n",
"6583 UK car buyers turn to secondhand vehicles as finance deals boom\n",
"Name: Title, dtype: object\n",
"\n",
"TEXT:\n",
"6583 The British car market is coming under increasing pressure as consumers turn away from buying new models after a squeeze on earnings, favouring secondhand cars instead.Figures show the number of used cars bought using finance increased by 7% in June compared with the same month a year ago, according to the Finance and Leasing Association, which represents about 86% of borrowing against vehicles in the UK.There was an 8% drop in lending extended for new vehicles, in a move that could alleviate concerns over a credit bubble in motor finance.Booming car sales helped by financing deals have troubled the Bank of England, which sounded the alarm in July over consumers racking up debt they may find difficult to pay back in future.Dealership car finance, through loans offered to car buyers at the point of sale, has been growing rapidly in recent years and in total was worth 58bn at the end of March, according to Threadneedle Street.Should I sell or scrap my diesel car? Read moreWhile the new car market is going to continue to stutter for the rest of the year, we could still see the used car market surging as people switch from new to secondhand motors, said Alex Buttle, of car buying comparison website Motorway.co.uk.There were 1m new cars sold to consumers buying with the help of finance in the 12 months to June, compared with 1.2m used vehicles, according to the FLA data.The UK new car market declined 9.3% in July , according to figures published this month by the the Society of Motor Manufacturers and Traders, the fourth consecutive monthly fall. The SMMT said on Wednesday almost 4m used cars were sold in the first half of this year, down 5.1% on a year ago.Consumers got a glimpse of some respite this week from surging inflation after the vote to leave the European Union, as the consumer price index remained static at 2.6%, while pay growth showed signs of edging up after the lowest level of unemployment since the mid-1970s potentially handed workers more bargaining power.Lookers, the UKs biggest car dealership, said on Wednesday it viewed the second half of the year with caution and that new car sales would probably fall by 2.6% this year. It said the used car market represented a significant opportunity and that it had seen a 23% increase in leads generated by its website in the first half of 2017.There has been plenty of pressure on car sales in recent months, with consumers facing political uncertainty from the Brexit vote and Theresa Mays snap general election, while the government also put forward plans to ban the sale of petrol and diesel cars from 2040 to encourage a shift to electric vehicles.Falling used car prices would trouble the Bank of England, as banks lending to customers buying new cars on hire purchase plans could be left with vehicles worth less than they had previously envisaged at the end of a deal.David Bailey, professor of industry at Aston University, said greater levels of interest in used cars as consumers tighten their belts could help protect the value of vehicles.If we see the new car market cool, the secondhand market will probably do better, and in a sense that might support residual values of the cars coming onto the secondhand market, he said.Topics Automotive industry Financial sector Motoring Consumer affairs\n",
"Name: Text, dtype: object\n"
]
},
{
"data": {
"application/vnd.jupyter.widget-view+json": {
"model_id": "13145084b78f4d579e83c9a40be48b6c",
"version_major": 2,
"version_minor": 0
},
"text/plain": [
"interactive(children=(IntSlider(value=0, description='x', max=2, min=-1), Output()), _dom_classes=('widget-int…"
]
},
"metadata": {},
"output_type": "display_data"
},
{
"name": "stdout",
"output_type": "stream",
"text": [
"0: Unrelated news, 1: Merger,\n",
"2: Other news related to deals, investments and mergers\n",
"___________________________________________________________________________________________________________\n",
"\n",
"\n",
"News article no. 6415.0:\n",
"\n",
"HEADLINE:\n",
"6415 MIDEAST STOCKS-Gulf finds support from robust oil price, Egypt declines\n",
"Name: Title, dtype: object\n",
"\n",
"TEXT:\n",
"6415 * Three Saudi insurers drop after ban imposed* SABB signs deal to buy HSBC's ownership in SABB Takaful* Dubai's Union Properties rebound continues* Banks support Qatar* Egypt's El Sewedy Electric down on profit-takingBy Celine AswadDUBAI, Aug 20 (Reuters) - Most stock markets in the Gulf rose modestly on Sunday, lifted by a rally in oil prices at the end of last week, while three small to mid-sized Saudi Arabian insurers fell sharply after they were slapped with a temporary ban by the central bank.Riyadh's index added 0.4 percent as all but two of the 14 listed petrochemical producers advanced after Brent oil surged 3.3 percent on Friday. Rabigh Refining and Petrochemical rose 1.6 percent.Saudi Indian Company for Cooperative Insurance dropped 3.8 percent, Malath Cooperative Insurance fell 4.5 percent and Arabian Shield Cooperative Insurance slumped 7.6 percent.The central bank said it was temporarily banning those insurers from selling vehicle policies because of \"serious breaches\" in their car insurance practices.Another insurer, Sabb Takaful, closed up 0.2 percent. Saudi British Bank (SABB) announced that it had signed an agreement to buy all of HSBC's shares in the insurance company for 117.8 million riyals ($31.4 million), taking SABB's total ownership in the insurer to 65 percent.The deal, which is pending board and regulatory approvals, is expected to be completed in the second half of this year. Shares of SABB fell 0.7 percent.In the United Arab Emirates, Dubai's index rose 0.4 percent on the back of gains in stocks that were volatile last week.Union Properties, the most heavily traded share on Sunday, jumped 4.3 percent to 0.898 dirham. Last week the Motor City developer reported a big quarterly loss as it fixed accounting errors; the stock has now regained the level where it was trading before the announcement of the loss.\"Funds with excess cash have been chasing alpha and not fundamentals,\" said a Dubai-based fund manager. \"In such an environment it would be hard to call any trend or direction.\"Abu Dhabi's index closed flat in thin trade; Dana Gas rose 3.3 percent, while Abu Dhabi National Energy lost 1.6 percent on profit-taking from last week's jump.Banking shares were robust in Doha, helping lift the index 0.3 percent higher. Commercial Bank gained 1.2 percent.Egypt's index fell 0.7 percent as shares of El Sewedy Electric lost 1.3 percent on profit-taking. In the previous two sessions they had jumped 9.3 percent after the company reported a 72 percent jump in its second-quarter net income and proposed a cash dividend of 8 Egyptian pounds per share.HIGHLIGHTS SAUDI ARABIA * The index rose 0.4 percent to 7,209 points.DUBAI * The index added 0.4 percent to 3,615 points.ABU DHABI * The index flat at 4,493 points.QATAR * The index rose 0.3 percent to 9,134 points.EGYPT * The index fell 0.7 percent to 13,026 points.KUWAIT * The index added 0.2 percent to 6,901 points.BAHRAIN * The index gained 1.0 percent to 1,312 points.OMAN * The index rose 0.5 percent to 4,913 points. (Editing by Andrew Torchia and Richard Balmforth)\n",
"Name: Text, dtype: object\n"
]
},
{
"data": {
"application/vnd.jupyter.widget-view+json": {
"model_id": "2cfe1093f53d4ef0847e6495929ac877",
"version_major": 2,
"version_minor": 0
},
"text/plain": [
"interactive(children=(IntSlider(value=0, description='x', max=2, min=-1), Output()), _dom_classes=('widget-int…"
]
},
"metadata": {},
"output_type": "display_data"
},
{
"name": "stdout",
"output_type": "stream",
"text": [
"0: Unrelated news, 1: Merger,\n",
"2: Other news related to deals, investments and mergers\n",
"___________________________________________________________________________________________________________\n",
"\n",
"\n",
"News article no. 7521.0:\n",
"\n",
"HEADLINE:\n",
"7521 Australian Q3 inflation surprisingly soft, rate hike more distant\n",
"Name: Title, dtype: object\n",
"\n",
"TEXT:\n",
"7521 October 25, 2017 / 4:45 AM / in 44 minutes Australian Q3 inflation surprisingly soft, rate hike more distant Wayne Cole , Swati Pandey 3 Min Read SYDNEY (Reuters) - Australian consumer prices were surprisingly tame last quarter while core inflation stayed below target for almost a second full year, leading investors to pare back the already slim chance of a rate hike for months to come. FILE PHOTO - Pedestrians walk past people sitting in the sun outside a retail store displaying a sale sign in central Sydney, Australia, April 27, 2016. REUTERS/David Gray/File Photo The local dollar skidded to a 4-1/2 month trough as the consumer price index (CPI) rose 1.8 percent for the year to September, below market forecasts of 2.0 percent. Underlying inflation averaged around 1.85 percent, again missing estimates and actually a touch slower than in the second quarter. This was the seventh straight quarter that core inflation has undershot the Reserve Bank of Australias (RBA) long-term target band of 2 percent to 3 percent, reinforcing the case for keeping interest rates at record lows of 1.5 percent. The Australian dollar slid 0.6 percent to $0.7722, its lowest since mid-July. Interest rate futures moved to further push out the likely timing of any hike. A rise in rates is now not fully priced in until November next year. Were of the view that the Reserve Bank will be on hold in 2018. They are not in a position to hike rates in the medium-term and these numbers confirm that, said JP Morgan economist Henry St John. TAX ON CONSUMERS The Australian Bureau of Statistics reported its headline CPI rose 0.6 percent in the third quarter, from the second quarter when it edged up just 0.2 percent. That missed market forecasts for a 0.8 percent increase, with vegetables, petrol and telecoms all falling in price. Energy prices saw the single biggest increase, rising 8.9 percent in the third quarter and adding 0.25 percentage points to the overall increase in CPI. Economists see that trend as more of a tax on consumer spending than a sign of overheating demand, greatly lessening the need for an interest rate response by the RBA. This is the wrong type of inflation, in that the increases are in non-discretionary, regulatory type components, said Su-Lin Ong, Sydney-based senior economist at RBC Capital. You might say core inflation has probably troughed but it is showing little signs of momentum. The odds are that it will stay around these levels for some time. The inexorable rise of electricity costs is largely a function of policy failure and has become a major political headache for Prime Minister Malcolm Turnbull. After months of prevarication, the government recently outlined a plan for a national energy guarantee that essentially put the onus on utilities to fix the problem. So far, the plan has been long on aspirations and short on detail and analysts suspect energy prices will continue to rise in the near term. Indeed, policy makers have repeatedly stressed they will look through the impact of energy on inflation and that any move in rates is still some time away. Reporting by Wayne Cole and Swati Pandey; Editing by Eric Meijer\n",
"Name: Text, dtype: object\n"
]
},
{
"data": {
"application/vnd.jupyter.widget-view+json": {
"model_id": "0340b94793f9401d8aeca3935db30652",
"version_major": 2,
"version_minor": 0
},
"text/plain": [
"interactive(children=(IntSlider(value=0, description='x', max=2, min=-1), Output()), _dom_classes=('widget-int…"
]
},
"metadata": {},
"output_type": "display_data"
},
{
"name": "stdout",
"output_type": "stream",
"text": [
"0: Unrelated news, 1: Merger,\n",
"2: Other news related to deals, investments and mergers\n",
"___________________________________________________________________________________________________________\n",
"\n",
"\n",
"News article no. 6458.0:\n",
"\n",
"HEADLINE:\n",
"6458 CEE MARKETS-Dinar retests 22-month highs, Serbian central bank meets\n",
"Name: Title, dtype: object\n",
"\n",
"TEXT:\n",
"6458 * Dinar near 22-month high, helped by euro remittances from abroad * Serbia seen keeping region's highest interest rates on hold * Stocks mostly outperforms Western peers (Adds Serbian central bank decision) By Sandor Peto BUDAPEST, Aug 10 (Reuters) - Serbia's dinar tested 22-month highs against the euro on Thursday, outperforming other Central European currencies as the Serbian central bank left its key rate left on hold at 4 percent, the highest in the region. The Serbian central bank did not follow the example of its Czech counterpart, which last week became the first in the region to lift interest rates for several years. While Czech inflation is above the central bank's 2 percent goal, the Serbian central bank's target range is higher, at 1.5 percentage points on either side of 3 percent. The bank does not need a rate hike to keep inflation within that target, while higher borrowing costs would weigh on economic growth, which at 1.3 percent in annual terms in the second quarter was well behind the regional pace. A rate cut could weaken the dinar and help growth, but the bank has been unwilling to risk going against a trend towards rising global interest rates. It said concerns about uncertain monetary policy developments abroad outweighed slower than expected growth at home. The dinar firmed 0.4 percent against the euro to 119.76 by 1049 GMT, retaining its early gains and staying near the 22-month highs reached a week ago at 119.40. The central bank has repeatedly intervened in the market to keep the dinar in tight ranges, fighting dinar strength in the past several weeks. It has purchased at least 725 million euros and sold 345 million euros in the market so far this year. The dinar has been lifted in relatively illiquid summer trading, with state payments for some infrastructure projects and wholesale payments for agricultural products lifting demand for the currency. Euro remittances from the more than one million Serbs living abroad also pick up in the summer. A Reuters poll of analysts last week predicted the dinar will ease to 123.9 against the euro by the end of July 2018. The poll projected stronger levels for the region's currencies than earlier forecasts as economic growth powers ahead in the region and its main foreign market, the euro zone. Central European equities mostly softened on Thursday as global sentiment remained sour over political tension between North Korea and the United States. The region's main stock indices were mixed and mostly outperformed Western European peers. Czech Moneta Money Bank fell 1.1 percent, even though the company reported higher than expected second-quarter earnings and said last week's central bank interest rate hike would improve its profitability. Gains of Polish Alior Bank, which reported a rise in profits, mitigated the loss in Warsaw's bluechip equities index. CEE MARKETS SNAPSH AT 1249 CET OT CURRENCIES Latest Previo Daily Change us bid close change in 2017 Czech crown 26.155 26.171 +0.06 3.26% 0 5 % Hungary 305.30 305.42 +0.04 1.15% forint 00 50 % Polish zloty 4.2725 4.2690 -0.08% 3.08% Romanian leu 4.5735 4.5690 -0.10% -0.84% Croatian 7.4000 7.4015 +0.02 2.10% kuna % Serbian 119.76 120.23 +0.39 3.00% dinar 00 00 % Note: daily calculated previo close 1800 change from us at CET STOCKS Latest Previo Daily Change us close change in 2017 Prague 1029.2 1029.8 -0.06% +11.6 6 7 8% Budapest 36763. 36578. +0.51 +14.8 83 47 % 8% Warsaw 2395.5 2408.1 -0.52% +22.9 9 1 8% Bucharest 8374.2 8395.1 -0.25% +18.2 9 3 0% Ljubljana 804.60 801.90 +0.34 +12.1 % 3% Zagreb 1888.2 1892.3 -0.22% -5.34% 7 4 Belgrade 721.40 719.94 +0.20 +0.56 % % Sofia 728.60 727.06 +0.21 +24.2 % 4% BONDS Yield Yield Spread Daily (bid) change vs change Bund in Czech spread Republic 2-year 0.104 0.078 +078b +7bps ps 5-year 0.113 0 +037b +0bps ps 10-year 0.887 0 +046b +0bps ps Poland 2-year 1.844 0.017 +252b +0bps ps 5-year 2.734 0.024 +299b +2bps ps 10-year 3.406 0.079 +298b +8bps ps FORWARD RATE AGREEMENT 3x6 6x9 9x12 3M interb ank Czech Rep <PR 0.55 0.64 0.73 0 IBOR=> Hungary <BU 0.21 0.29 0.36 0.15 BOR=> Poland <WI 1.767 1.799 1.847 1.73 BOR=> Note: FRA are for ask Quote: s prices\n",
"Name: Text, dtype: object\n"
]
},
{
"data": {
"application/vnd.jupyter.widget-view+json": {
"model_id": "e1c239ad44a5485e8af8edd0f4f2e9e2",
"version_major": 2,
"version_minor": 0
},
"text/plain": [
"interactive(children=(IntSlider(value=0, description='x', max=2, min=-1), Output()), _dom_classes=('widget-int…"
]
},
"metadata": {},
"output_type": "display_data"
},
{
"name": "stdout",
"output_type": "stream",
"text": [
"0: Unrelated news, 1: Merger,\n",
"2: Other news related to deals, investments and mergers\n",
"___________________________________________________________________________________________________________\n",
"\n",
"\n",
"News article no. 3174.0:\n",
"\n",
"HEADLINE:\n",
"3174 BRIEF-Stephen Brown notifies intention to resign as chief financial officer of STAAR Surgical\n",
"Name: Title, dtype: object\n",
"\n",
"TEXT:\n",
"3174 40pm EDT BRIEF-Stephen Brown notifies intention to resign as chief financial officer of STAAR Surgical April 4 STAAR Surgical Co - * Stephen Brown notified co of his intention to resign as vice president and chief financial officer * Says CFO Brown's resignation will become effective on April 28, 2017 * Staar Surgical Co says appointed Deborah Andrews to serve as interim vice president and CFO of company Source text: [ bit.ly/2nBouPT ] \n",
"Name: Text, dtype: object\n"
]
},
{
"data": {
"application/vnd.jupyter.widget-view+json": {
"model_id": "ecf090e95daf4eb4bd06690996da35dc",
"version_major": 2,
"version_minor": 0
},
"text/plain": [
"interactive(children=(IntSlider(value=0, description='x', max=2, min=-1), Output()), _dom_classes=('widget-int…"
]
},
"metadata": {},
"output_type": "display_data"
},
{
"name": "stdout",
"output_type": "stream",
"text": [
"0: Unrelated news, 1: Merger,\n",
"2: Other news related to deals, investments and mergers\n",
"___________________________________________________________________________________________________________\n",
"\n",
"\n",
"News article no. 6727.0:\n",
"\n",
"HEADLINE:\n",
"6727 AA has been a bit of a car crash - can it get back on the road? - Business - The Guardian\n",
"Name: Title, dtype: object\n",
"\n",
"TEXT:\n",
"6727 The AA has been a bit of a car crash recently, and this week investors will be hoping for signs that it is getting back on the road. Over the summer the roadside recovery group fired executive chairman Bob Mackenzie for gross misconduct after an alleged altercation with another director. However Mackenzies son maintains his father left because of ill health. The dispute reportedly revolved around a possible disposal of the AAs insurance business, which Mackenzie opposed. It later transpired that there had been early talks between the AA and insurance group Hastings about a deal, but these had now ended. Further partnerships are a possibility, and more details could emerge at Tuesdays interim figures from acting chief executive Simon Breakwell. Analysts at Cenkos said the proposed deal with Hastings does highlight the value of the AAs insurance broking business (which has a circa 2% market share in new motor insurance policies and a 3% share in home insurance), but keep in mind that roadside assistance remains the biggest division by far (2017 earnings were 365m from roadside assistance and 76m from insurance) and we continue to think that despite the shambolic headlines around Bob Mackenzies dismissal, operating performance remains robust. How to shore up a wobbly Carillion Another company with problems is construction and support services company Carillion . In July, it issued a profit warning, blaming a Brexit-related slowdown in orders, scrapped its dividend and said Richard Howson was stepping down as chief executive but would become chief operating officer. Apart from causing a share price crash of nearly 40%, the news prompted talk in the City that the company could find itself in need of a cash call of around 500m to cut its debt mountain. Then, earlier this month, it said finance chief Zafar Khan had left after nine months in the role and Howson was departing the company completely. This also caused surprise, coming as it did not long before next Fridays half-year results. UBS analysts said: While we think a credible recapitalisation and turnaround requires a new management team, the changes raise some questions: the timing is somewhat odd with results due to be reported on 29 September. Analysts believe a restructuring of Carillions debt will wait until after Fridays figures and any news on strategic developments. The last year has been far from easy for PZ PZ Cussons is a strange beast, with a strong presence in various personal care, electricals and food businesses in Africa particularly in Nigeria and a number of global brands including Carex and Imperial Leather. The company is due to give a trading update on Wednesday but it is the annual meeting on the same day that has corporate governance specialist Pirc in a lather. The advisory group is recommending shareholders vote against the companys remuneration policy. It says the companys incentive scheme could give chief executive Alex Kanellis a maximum potential award of 300% of salary, which Pirc describes as excessive. It is also unhappy that upside discretion may be used by the [remuneration] committee when determining severance payments. On the trading front, the company had to cope with foreign exchange problems in its African businesses last year but Investec believes this year should be better: 2017 threw several curve balls at PZ Cussons, but the business coped admirably, delivering a solid pre-tax profit While we do not believe 2018 will show any significant underlying economic improvement, we do not expect a recurrence of the level of disruption the group had to contend with last year. Topics\n",
"Name: Text, dtype: object\n"
]
},
{
"data": {
"application/vnd.jupyter.widget-view+json": {
"model_id": "8f05f467d7ab40abac9fa411247a9a4f",
"version_major": 2,
"version_minor": 0
},
"text/plain": [
"interactive(children=(IntSlider(value=0, description='x', max=2, min=-1), Output()), _dom_classes=('widget-int…"
]
},
"metadata": {},
"output_type": "display_data"
},
{
"name": "stdout",
"output_type": "stream",
"text": [
"0: Unrelated news, 1: Merger,\n",
"2: Other news related to deals, investments and mergers\n",
"___________________________________________________________________________________________________________\n",
"\n",
"\n",
"News article no. 3058.0:\n",
"\n",
"HEADLINE:\n",
"3058 PRECIOUS-Gold hits 1-week high on geopolitical worries, weaker dollar\n",
"Name: Title, dtype: object\n",
"\n",
"TEXT:\n",
"3058 Company News - Mon Apr 3, 2017 - 9:22pm EDT PRECIOUS-Gold hits 1-week high on geopolitical worries, weaker dollar April 4 Gold prices hit one-week highs on Tuesday, buoyed by a weaker dollar and as investors turned to safe-haven assets on worries over geopolitical tensions. FUNDAMENTALS * Spot gold had risen 0.3 percent to $1,255.96 per ounce by 0058 GMT, while U.S. gold futures were up 0.4 percent at $1,258.40. * Investor appetite for risk has been dulled this week by a number of factors, such as caution ahead of the upcoming meeting between U.S. President Donald trump and Chinese President Xi Jinping and a suspected suicide bombing in St. Petersburg, Russia. * A measure of U.S. manufacturing activity retreated from a 2-1/2 year high in March amid a decline in production and an inventory drawdown, but a surge in factory jobs indicated that the sector's energy-led recovery was gaining momentum. * Factories across Europe and much of Asia posted another month of solid growth in March, rounding off a strong quarter for manufacturers, even though exporters fear a rise in U.S. protectionism could snuff out a global trade recovery. * From bank runs to credit crunches, regulators and investors are asking French banks about their preparations for any market ructions that might be caused by Marine Le Pen faring better than expected in the presidential election, banking sources said. * Global debt rose to 325 percent of the world's gross domestic product in 2016, totalling $215 trillion, an Institute for International Finance report released on Monday showed, boosted by the rapid growth of issuance in emerging markets. * Holdings of SPDR Gold Trust , the world's largest gold-backed exchange-traded fund, climbed 0.53 percent to 836.77 tonnes on Monday from 832.32 tonnes on Friday. * South Africa's Harmony Gold said on Monday a labour court had declared the ongoing wildcat strike at its Kusasalethu mine \"unprotected\" and required employees, who downed tools two-weeks ago, to return to work. * German precious metals group Heraeus said on Monday it had taken full control of Swiss gold and silver processor Argor-Heraeus. * West Africa-focused Avocet Mining Plc named Boudewijn Wentink as its new chief executive officer with immediate effect, as it seeks to refinance and restructure the company. DATA AHEAD (GMT) 0900 Euro zone Retail sales Feb 1230 U.S. International trade Feb 1345 U.S. ISM-New York index Mar 1400 U.S. Factory orders Feb (Reporting by Nallur Sethuraman in Bengaluru; Editing by Joseph Radford) Next In Company News\n",
"Name: Text, dtype: object\n"
]
},
{
"data": {
"application/vnd.jupyter.widget-view+json": {
"model_id": "76e1d570a2d2490bafe002298ff2d727",
"version_major": 2,
"version_minor": 0
},
"text/plain": [
"interactive(children=(IntSlider(value=0, description='x', max=2, min=-1), Output()), _dom_classes=('widget-int…"
]
},
"metadata": {},
"output_type": "display_data"
},
{
"name": "stdout",
"output_type": "stream",
"text": [
"0: Unrelated news, 1: Merger,\n",
"2: Other news related to deals, investments and mergers\n",
"___________________________________________________________________________________________________________\n",
"\n",
"\n",
"News article no. 3656.0:\n",
"\n",
"HEADLINE:\n",
"3656 BOJ Governor Kuroda says global uncertainties remain top risk for Japan economy\n",
"Name: Title, dtype: object\n",
"\n",
"TEXT:\n",
"3656 Economy News - Wed May 10, 2017 - 4:57am BST BOJ Governor Kuroda says global uncertainties remain top risk for Japan economy Bank of Japan (BOJ) Governor Haruhiko Kuroda attends a news conference at the BOJ headquarters in Tokyo, Japan April 27, 2017. REUTERS/Kim Kyung-Hoon TOKYO Bank of Japan Governor Haruhiko Kuroda said on Wednesday overseas developments, such as uncertainty over U.S. economic policies and geopolitical risks around the world, remained the biggest risks for Japan's economic recovery. \"Japan's economic recovery has taken hold more firmly,\" reflecting improvement in the global economy, Kuroda told a seminar. \"While global economic growth is gaining momentum, various uncertainties remain\" that could weigh on Japanese consumer and corporate sentiment, he said. (Reporting by Leika Kihara; Editing by Christopher Cushing) U.S. Democratic senators seek probe into Icahns biofuel credit dealings WASHINGTON Eight Democratic senators asked U.S. regulators on Tuesday to launch an investigation into billionaire Carl Icahns activities in the U.S. biofuels blending credit market, saying the activist investor may have violated trading laws since becoming an adviser to President Donald Trump. U.S. Senate finance panel unlikely to support import tax: chairman WASHINGTON A 20 percent import tax, backed by Republican leaders in the House of Representatives, is unlikely to win enough support from the Senate Finance Committee to be part of any Senate tax reform bill, the panel's Republican chairman said on Tuesday. NEW YORK/WASHINGTON JPMorgan Chase & Co is investing another $50 million in Detroit amid what city officials and bank executives describe as encouraging signs for urban renewal through public-private partnerships. MORE FROM REUTERS From Around the Web Promoted by Revcontent Trending Stories\n",
"Name: Text, dtype: object\n"
]
},
{
"data": {
"application/vnd.jupyter.widget-view+json": {
"model_id": "74034d16e28045adbe3c5618ace0d75d",
"version_major": 2,
"version_minor": 0
},
"text/plain": [
"interactive(children=(IntSlider(value=0, description='x', max=2, min=-1), Output()), _dom_classes=('widget-int…"
]
},
"metadata": {},
"output_type": "display_data"
},
{
"name": "stdout",
"output_type": "stream",
"text": [
"0: Unrelated news, 1: Merger,\n",
"2: Other news related to deals, investments and mergers\n",
"___________________________________________________________________________________________________________\n",
"\n",
"\n",
"News article no. 8784.0:\n",
"\n",
"HEADLINE:\n",
"8784 IWG reports 3.3 percent rise in three month total revenue\n",
"Name: Title, dtype: object\n",
"\n",
"TEXT:\n",
"8784 November 2, 2017 / 7:37 AM / Updated 20 minutes ago IWG reports 3.3 percent rise in three month total revenue Reuters Staff 1 Min Read (Reuters) - Serviced office provider IWG Plc ( IWG.L ) on Thursday reported a 3.3 percent rise in quarterly revenue boosted by high growth in Europe, the Middle East, and Asia. Total revenue for the group rose to 585.7 million pounds for the three months ended September 30. The companys mature business revenue declined 1.8 percent to 538.8 million pounds at constant currency. Reporting by Sanjeeban Sarkar in Bengaluru; Editing by Sunil Nair\n",
"Name: Text, dtype: object\n"
]
},
{
"data": {
"application/vnd.jupyter.widget-view+json": {
"model_id": "b805b22a29174ffe9c5cedecf6d7ea48",
"version_major": 2,
"version_minor": 0
},
"text/plain": [
"interactive(children=(IntSlider(value=0, description='x', max=2, min=-1), Output()), _dom_classes=('widget-int…"
]
},
"metadata": {},
"output_type": "display_data"
},
{
"name": "stdout",
"output_type": "stream",
"text": [
"0: Unrelated news, 1: Merger,\n",
"2: Other news related to deals, investments and mergers\n",
"___________________________________________________________________________________________________________\n",
"\n",
"\n",
"News article no. 5193.0:\n",
"\n",
"HEADLINE:\n",
"5193 Cinema chain AMC says deals not funded by Chinese parent Wanda\n",
"Name: Title, dtype: object\n",
"\n",
"TEXT:\n",
"5193 July 18, 2017 / 11:29 PM / 4 hours ago Cinema chain AMC says deals not funded by Chinese parent Wanda Reuters Staff 3 Min Read FILE PHOTO: Dalian Wanda Group's Wanda Plaza building is pictured in Beijing, China, May 17, 2016. Kim Kyung-Hoon/File Photo SHANGHAI (Reuters) - China's Dalian Wanda Group did not fund a spate of deals made by AMC Entertainment Holdings Inc ( AMC.N ), the U.S. cinema chain majority owned by Wanda said late on Tuesday, after reports that Beijing was cracking down on the Chinese firm's overseas deals. AMC's shares dived over 10 percent on Monday after sources said regulators in China had told banks to stop providing funding for several of Dalian Wanda's overseas acquisitions amid broader curbs on companies moving funds overseas. The curbs on Wanda, announced at a meeting in June, focused on six overseas deals, four of which have already been completed, an internal bank document seen by Reuters showed. AMC said deals for Starplex Cinemas, Odeon & UCI Cinemas, Nordic Cinema Group and Carmike Cinemas Inc completed between 2015 and earlier this year were fully funded by the firm's own funds and loans from U.S.-based banks. \"At no time was Wanda ever a source of funding for any of these acquisitions or individual theatre purchases,\" AMC said in a statement. Wanda bought AMC for $2.6 billion in 2012, part of a broader push by the Chinese company firm into cinemas. The cinema chain added it had also never \"never received committed financing from any bank headquartered in mainland China for any purpose, including for acquisitions\". The most recent four deals were funded by loans from syndicates of U.S. banks taken out by AMC and from AMC's own cash reserves. Beijing is on a major drive to control risks in its financial system, including firms taking on excessive levels of debt to fund overseas deals. Chinese authorities clamped down on capital outflows and overseas acquisitions last year. Rooted in property, Wanda is one of a handful of Chinese conglomerates that have expanded aggressively abroad over the past few years, into areas beyond their original business. It is controlled by one of China's richest men, Wang Jianlin. AMC's chief executive Adam Aron said in the statement that Wanda \"does not actively participate in the day-to-day running of AMC\" beyond its three seats on the company's board. \"AMC is an American company run from its Leawood, Kansas, headquarters by our management teams located in the U.S. and Europe,\" he said.AMC is the top cinema chain in the United States, and has around 1,000 theatres around the world. Reporting by Adam Jourdan; Editing by Eric Meijer 0 : 0\n",
"Name: Text, dtype: object\n"
]
},
{
"data": {
"application/vnd.jupyter.widget-view+json": {
"model_id": "edbc440e6e5c4d1ab484b7d3a7d9c871",
"version_major": 2,
"version_minor": 0
},
"text/plain": [
"interactive(children=(IntSlider(value=0, description='x', max=2, min=-1), Output()), _dom_classes=('widget-int…"
]
},
"metadata": {},
"output_type": "display_data"
},
{
"name": "stdout",
"output_type": "stream",
"text": [
"0: Unrelated news, 1: Merger,\n",
"2: Other news related to deals, investments and mergers\n",
"___________________________________________________________________________________________________________\n",
"\n",
"\n",
"News article no. 7677.0:\n",
"\n",
"HEADLINE:\n",
"7677 ACS's Hochtief set to make bid for Abertis on Wednesday: sources\n",
"Name: Title, dtype: object\n",
"\n",
"TEXT:\n",
"7677 Toll booths are seen on a toll road operated by Abertis near Barcelona, Spain, October 9, 2017. REUTERS/Albert Gea DUESSELDORF/MILAN (Reuters) - German construction group Hochtief ( HOTG.DE ), controlled by Spains ACS ( ACS.MC ), is holding a supervisory board meeting on Wednesday morning to discuss and likely give the go-ahead for a takeover bid for toll road operator Abertis ( ABE.MC ), people close to the matter told Reuters.The possibility of Hochtief deciding against an Abertis counter offer is only theoretical, one of the people said.Sources told Reuters last week that Italian toll-road operator Atlantia ( ATL.MI ) is ready to raise its takeover offer for Abertis to up to about 17.8 billion euros ($21 billion) should a rival offer by ACS materialize.Hochtiefs offer was expected to be roughly half in cash and the rest in newly issued Hochtief shares, people close to the matter had said last week.Editing by Ludwig Burger\n",
"Name: Text, dtype: object\n"
]
},
{
"data": {
"application/vnd.jupyter.widget-view+json": {
"model_id": "8af8ec32b0b74ddfa9e02f73af4410c9",
"version_major": 2,
"version_minor": 0
},
"text/plain": [
"interactive(children=(IntSlider(value=2, description='x', max=2, min=-1), Output()), _dom_classes=('widget-int…"
]
},
"metadata": {},
"output_type": "display_data"
},
{
"name": "stdout",
"output_type": "stream",
"text": [
"0: Unrelated news, 1: Merger,\n",
"2: Other news related to deals, investments and mergers\n",
"___________________________________________________________________________________________________________\n",
"\n",
"\n",
"News article no. 3165.0:\n",
"\n",
"HEADLINE:\n",
"3165 India's Paytm in talks with SoftBank to raise $1.2 to $1.5 billion - report\n",
"Name: Title, dtype: object\n",
"\n",
"TEXT:\n",
"3165 Business News - Wed Apr 19, 2017 - 4:59am BST India's Paytm in talks with SoftBank to raise $1.2 to $1.5 billion - report left right An advertisement of Paytm, a digital wallet company, is pictured at a road side stall in Kolkata, India, January 25, 2017. Picture taken January 25, 2017. REUTERS/Rupak De Chowdhuri 1/2 left right A man talks on the phone as he stand in front of an advertising poster of the SoftBank telecommunications company in Tokyo October 16, 2015. REUTERS/Thomas Peter 2/2 Electronics payments provider Paytm is in talks with Japan's SoftBank Group ( 9984.T ) to raise $1.2 to $1.5 billion (935 million - 1.17 billion pounds)in cash, making the latter one of the largest shareholders in the fintech start-up, Mint newspaper reported on Wednesday citing sources. The deal, which could increase Paytm's valuation to $7 to $9 billion, will see SoftBank buying some shares from existing Paytm investor SAIF Partners and founder Vijay Shekhar Sharma beside investing money in the company, the report said. Local media had reported recently that SoftBank is keen to sell its stake in India's e-commerce firm Snapdeal in exchange for a stake in market leader Flipkart ( IPO-FLPK.N ). Paytm may also buy Snapdeal-owned payments rival Freecharge, as part of the deal, the report said. Digital payments have assumed great significance in India after the decision of Prime Minister Narendra Modi's government ban on old high-valued bank notes in November led to a severe cash crunch across the country. (Reporting by Aby Jose Koilparambil in Bengaluru; Editing by Euan Rocha)\n",
"Name: Text, dtype: object\n"
]
},
{
"data": {
"application/vnd.jupyter.widget-view+json": {
"model_id": "3890afac07c140f5a45ddb668bf08313",
"version_major": 2,
"version_minor": 0
},
"text/plain": [
"interactive(children=(IntSlider(value=2, description='x', max=2, min=-1), Output()), _dom_classes=('widget-int…"
]
},
"metadata": {},
"output_type": "display_data"
},
{
"name": "stdout",
"output_type": "stream",
"text": [
"0: Unrelated news, 1: Merger,\n",
"2: Other news related to deals, investments and mergers\n",
"___________________________________________________________________________________________________________\n",
"\n",
"\n",
"News article no. 9506.0:\n",
"\n",
"HEADLINE:\n",
"9506 Pinched UK consumers raise spending at weakest pace since 2012\n",
"Name: Title, dtype: object\n",
"\n",
"TEXT:\n",
"9506 December 22, 2017 / 9:39 AM / Updated 5 hours ago Pinched UK consumers raise spending at weakest pace since 2012 William Schomberg , Kate Holton 5 Min Read LONDON (Reuters) - British households turned increasingly cautious in the three months to September as they raised their spending at the slowest annual pace since 2012, according to official data published on Friday. In figures which underscore the headwinds facing the worlds sixth-biggest economy as Brexit approaches, the Office for National Statistics confirmed that gross domestic product grew by 0.4 percent on the quarter. That was in line with the median forecast in a Reuters poll of economists. Annual growth was unexpectedly revised up to 1.7 percent from 1.5 percent, but the increase mostly reflected changes to data going back to the start of last year and it was the weakest increase since early 2013, the ONS said. Households, under pressure from rising inflation and weak wage growth, saw almost no growth in their overall incomes, forcing them to dip into their savings. Britain has grown more slowly than other big European economies this year as the rise in inflation, caused largely by the fall in the value of the pound after the 2016 referendum decision to leave the European Union, caught up with consumers. The figures confirm the pressure on households, Philip Shaw, an economist with Investec, said. An expected fall in inflation next year and forecasts for a long-awaited rise in wage growth should ease some of the squeeze. But we will have to wait to see what actually happens, Shaw said. He noted that in contrast to the strain on consumers, British factories were growing strongly with manufacturing output up by 3.3 percent in annual terms, helped by the recovering global economy and the weaker pound. Manufacturing accounts for only about 10 percent of Britains economy, compared with 80 percent from the services sector which grew by an annual 1.4 percent, reflecting the weak domestic economy. Sterling and British government bonds were little changed by the data. INCOMES ALMOST FLAT, SAVINGS DOWN The Bank of England raised interest rates last month for the first time in more than 10 years, in part because it expects wage growth to gain more speed. It is expected to raise them twice more over the coming three years. FLE PHOTO - Shoppers cross the street at Oxford Circus in London, Britain, November 25, 2017. REUTERS/Darrin Zammit Lupi The BoE said last week that the economy appeared to be slowing slightly in late 2017, and Brexit remained a big uncertainty going forward. Fridays data showed household disposable incomes, adjusted for inflation, grew by 0.2 percent, down from growth of 2.3 percent in the second quarter although better than a fall in the first three months of the year. The household saving ratio fell to 5.2 percent from 5.6 percent in the second quarter but was higher than a low of 3.7 percent in the January-March period. Household spending rose by an annual 1.0 percent, its weakest increase since early 2012. The ONS said households were net borrowers - meaning their outlays were bigger than their incomes - for four successive quarters for the first time since records began in 1987. Like consumers, many businesses have also turned cautious due to uncertainty about what leaving the European Union means for their exports and their ability to hire skilled workers. Business investment rose by 0.5 percent in the quarter and was up 1.7 percent from a year earlier. That represented slightly stronger growth than the previous reading for the third quarter but remained weaker than in recent years. In a sign of how the economy started the fourth quarter the ONS said Britains dominant services sector grew by a monthly 0.2 percent in October after zero growth in September. Comparing the three months to October with the same period a year ago, growth was its weakest in four years at 1.3 percent. Britains current account deficit, which hit an annual record high of 5.8 percent of GDP last year, stood at 4.5 percent of GDP in the third quarter, down from 5.1 percent in the second quarter. In cash terms, the deficit was 22.8 billion pounds, above the median forecast of 21.2 billion pounds in the Reuters poll. Economists mostly expect the deficit to narrow as the fall in the value of the pound boosts exports and reduces the imbalance between the returns on foreign investment held in Britain and on British investment held abroad. Nonetheless, Britains budget forecasters said last month they expected the deficit to remain high. BoE Governor Mark Carney has said the shortfall means Britain remains dependent on the kindness of strangers to fund itself. Writing by William Schomberg; Editing by Hugh Lawson\n",
"Name: Text, dtype: object\n"
]
},
{
"data": {
"application/vnd.jupyter.widget-view+json": {
"model_id": "512c4fc0c7ed44f1ae72837b0500bb6d",
"version_major": 2,
"version_minor": 0
},
"text/plain": [
"interactive(children=(IntSlider(value=0, description='x', max=2, min=-1), Output()), _dom_classes=('widget-int…"
]
},
"metadata": {},
"output_type": "display_data"
},
{
"name": "stdout",
"output_type": "stream",
"text": [
"0: Unrelated news, 1: Merger,\n",
"2: Other news related to deals, investments and mergers\n",
"___________________________________________________________________________________________________________\n",
"\n",
"\n",
"News article no. 2930.0:\n",
"\n",
"HEADLINE:\n",
"2930 BRIEF-Tapstone Energy files for IPO of up to $100 mln\n",
"Name: Title, dtype: object\n",
"\n",
"TEXT:\n",
"2930 April 13 Tapstone Energy Inc* Tapstone Energy Inc files for IPO of up to $100 million of common stock - sec filing* Tapstone Energy Inc - applied to list common stock on new york stock exchange under symbol TE* Tapstone Energy Inc says BofA Merrill lynch and citigroup are underwriters to IPO* Tapstone Energy Inc - proposed IPO price is an estimate solely for purpose of calculating sec registration fee Source text : bit.ly/2o9RRJp\n",
"Name: Text, dtype: object\n"
]
},
{
"data": {
"application/vnd.jupyter.widget-view+json": {
"model_id": "77869ce6cccd43b1bfeeb2202ed59d3a",
"version_major": 2,
"version_minor": 0
},
"text/plain": [
"interactive(children=(IntSlider(value=0, description='x', max=2, min=-1), Output()), _dom_classes=('widget-int…"
]
},
"metadata": {},
"output_type": "display_data"
},
{
"name": "stdout",
"output_type": "stream",
"text": [
"0: Unrelated news, 1: Merger,\n",
"2: Other news related to deals, investments and mergers\n",
"___________________________________________________________________________________________________________\n",
"\n",
"\n",
"News article no. 3341.0:\n",
"\n",
"HEADLINE:\n",
"3341 Russia completes first flight of new MS-21 passenger plane\n",
"Name: Title, dtype: object\n",
"\n",
"TEXT:\n",
"3341 1:39pm BST Russia completes first flight of new MS-21 passenger plane MOSCOW Russia on Sunday completed the first flight of its new MS-21 medium-range passenger plane, state-controlled United Aircraft Corporation ( UNAC.MM ) said in a statement. Russia has said the MS-21, its first post-Soviet mainline passenger plane, is superior to its Western-made counterparts will be sold to both Russian and foreign carriers. (Reporting by Gleb Stolyarov; Writing by Jack Stubbs; Editing by Alison Williams)\n",
"Name: Text, dtype: object\n"
]
},
{
"data": {
"application/vnd.jupyter.widget-view+json": {
"model_id": "62d7ec90809c4714b53824d700c6e480",
"version_major": 2,
"version_minor": 0
},
"text/plain": [
"interactive(children=(IntSlider(value=0, description='x', max=2, min=-1), Output()), _dom_classes=('widget-int…"
]
},
"metadata": {},
"output_type": "display_data"
},
{
"name": "stdout",
"output_type": "stream",
"text": [
"0: Unrelated news, 1: Merger,\n",
"2: Other news related to deals, investments and mergers\n",
"___________________________________________________________________________________________________________\n",
"\n",
"\n",
"News article no. 8689.0:\n",
"\n",
"HEADLINE:\n",
"8689 MOVES-UniCredit, Morgan Stanley\n",
"Name: Title, dtype: object\n",
"\n",
"TEXT:\n",
"8689 Nov 17 (Reuters) - The following financial services industry appointments were announced on Friday. To inform us of other job changes, email moves@thomsonreuters.com.EUROMONEY INSTITUTIONAL INVESTOR PLC The London-listed business information group appointed Jan Babiak as an independent non-executive director.MORGAN STANLEY Ben Adubi has left Deutsche Bank to join Morgan Stanleys public sector syndicate team, according to three sources familiar with the matter.Compiled by Sanjana Shivdas \n",
"Name: Text, dtype: object\n"
]
},
{
"data": {
"application/vnd.jupyter.widget-view+json": {
"model_id": "dcb105cd37b74ce1ada1bfa71512ec9f",
"version_major": 2,
"version_minor": 0
},
"text/plain": [
"interactive(children=(IntSlider(value=0, description='x', max=2, min=-1), Output()), _dom_classes=('widget-int…"
]
},
"metadata": {},
"output_type": "display_data"
},
{
"name": "stdout",
"output_type": "stream",
"text": [
"0: Unrelated news, 1: Merger,\n",
"2: Other news related to deals, investments and mergers\n",
"___________________________________________________________________________________________________________\n",
"\n",
"\n",
"News article no. 2429.0:\n",
"\n",
"HEADLINE:\n",
"2429 Mexico says has less space than U.S. for tax reform\n",
"Name: Title, dtype: object\n",
"\n",
"TEXT:\n",
"2429 MEXICO CITY Mexico's Finance Minister Jose Antonio Meade said on Monday that Mexico was analysing how to respond to U.S. tax proposals, including a border adjustment tax, but that Mexico has less fiscal space than the United States to enact reforms.Mexico's debt levels have risen sharply in recent years and the government has promised to cut spending this year and reach a primary surplus.\"The United States has more possibility to issue debt than Mexico,\" Meade said on local TV.He said that there were currently no plans to raise taxes in Mexico, but that the government was still analysing how to react to potential U.S. tax measures.\"So far all we know are just sketches of (U.S.) proposals. So in front of each draft proposal we are evaluating what the impact might be,\" Meade said.Meade said that a proposed border adjustment tax (BAT) \"would be like a tariff on all goods entering the United States\" but that it was not Mexico-specific.Since such a tax would effect the whole world, Mexico would have to study how it could respond to such a move, he said.Meade reiterated that Mexico had been clear that it would not accept Mexico-specific tariffs or import quotas in talks with the United States to renegotiate the North American Free Trade Agreement (NAFTA) that also includes Canada.Meade said that U.S. Commerce Secretary Wilbur Ross's comments that the U.S. was looking at making changes on the rules that determine how much of a product must be sourced within North America as well as dispute resolution rule.Meade said that, based on Ross's comments, it did not appear that the United States was thinking in terms of Mexico-specific measures such as tariffs or quotas.(Reporting by Frank Jack Daniel; Editing by Bernard Orr)\n",
"Name: Text, dtype: object\n"
]
},
{
"data": {
"application/vnd.jupyter.widget-view+json": {
"model_id": "eeacd5653d1143cfb3493aaf6c05b555",
"version_major": 2,
"version_minor": 0
},
"text/plain": [
"interactive(children=(IntSlider(value=0, description='x', max=2, min=-1), Output()), _dom_classes=('widget-int…"
]
},
"metadata": {},
"output_type": "display_data"
},
{
"name": "stdout",
"output_type": "stream",
"text": [
"0: Unrelated news, 1: Merger,\n",
"2: Other news related to deals, investments and mergers\n",
"___________________________________________________________________________________________________________\n",
"\n",
"\n"
]
}
],
"source": [
"for index in label_next:\n",
" show_next(index)"
]
},
{
"cell_type": "code",
"execution_count": 17,
"metadata": {},
"outputs": [
{
"name": "stdout",
"output_type": "stream",
"text": [
"Number of manual labels in round no. 9:\n",
"0:80, 1:2, 2:18\n",
"Number of articles to be corrected in this round: 12\n"
]
}
],
"source": [
"print('Number of manual labels in round no. {}:'.format(m))\n",
"print('0:{}, 1:{}, 2:{}'.format(len(df.loc[(df['Label'] == 0) & (df['Round'] == m)]), len(df.loc[(df['Label'] == 1) & (df['Round'] == m)]), len(df.loc[(df['Label'] == 2) & (df['Round'] == m)])))\n",
"\n",
"print('Number of articles to be corrected in this round: {}'.format(len(df.loc[(df['Label'] != -1) & (df['Estimated'] != -1) & (df['Round'] == m) & (df['Label'] != df['Estimated'])])))"
]
},
{
"cell_type": "code",
"execution_count": 18,
"metadata": {},
"outputs": [],
"source": [
"# save intermediate status\n",
"df.to_csv('../data/interactive_labeling_round_{}_temp.csv'.format(m),\n",
" sep='|',\n",
" mode='w',\n",
" encoding='utf-8',\n",
" quoting=csv.QUOTE_NONNUMERIC,\n",
" quotechar='\\'')"
]
},
{
"cell_type": "markdown",
"metadata": {},
"source": [
"## Part III: Model building and automated labeling"
]
},
{
"cell_type": "code",
"execution_count": 11,
"metadata": {},
"outputs": [],
"source": [
"# THIS CELL IS OPTIONAL\n",
"\n",
"# read current data set from csv\n",
"m = 9\n",
"df = pd.read_csv('../data/interactive_labeling_round_{}.csv'.format(m),\n",
" sep='|',\n",
" usecols=range(1,13), # drop first column 'unnamed'\n",
" encoding='utf-8',\n",
" quoting=csv.QUOTE_NONNUMERIC,\n",
" quotechar='\\'')"
]
},
{
"cell_type": "markdown",
"metadata": {},
"source": [
"Now we apply Multinomial Naive Bayes to estimate new labels."
]
},
{
"cell_type": "code",
"execution_count": null,
"metadata": {},
"outputs": [
{
"name": "stdout",
"output_type": "stream",
"text": [
"# MNB: starting multinomial naives bayes...\n",
"\n",
"# BOW: extracting all words from articles...\n",
"\n",
"# BOW: making vocabulary of data set...\n",
"\n",
"# BOW: vocabulary consists of 14414 features.\n",
"\n",
"# MNB: fit training data and calculate matrix...\n",
"\n",
"# BOW: calculating matrix...\n",
"\n",
"# BOW: calculating frequencies...\n",
"\n"
]
}
],
"source": [
"# use sklearn's CountVectorizer\n",
"cv = False\n",
"\n",
"# call script with manually labeled and manually unlabeled samples\n",
"%time classes, class_count, class_probs = MNBInteractive.estimate_mnb(df.loc[df['Label'] != -1], df.loc[df['Label'] == -1], cv)"
]
},
{
"cell_type": "code",
"execution_count": 17,
"metadata": {},
"outputs": [
{
"name": "stdout",
"output_type": "stream",
"text": [
"Label classes: [0. 1. 2.]\n",
"Number of samples of each class: [741. 37. 122.]\n"
]
}
],
"source": [
"print('Label classes: {}'.format(classes))\n",
"print('Number of samples of each class: {}'.format(class_count))"
]
},
{
"cell_type": "markdown",
"metadata": {},
"source": [
"We label each article with class $j$, if its estimated probability for class $j$ is higher than our threshold:"
]
},
{
"cell_type": "code",
"execution_count": 18,
"metadata": {},
"outputs": [],
"source": [
"# only labels with this minimum probability are adopted\n",
"threshold = 0.99\n",
"# dict for counting estimated labels\n",
"estimated_labels = {0:0, 1:0, 2:0}\n",
"\n",
"# series of indices of recently estimated articles \n",
"indices_estimated = df.loc[df['Label'] == -1, 'Index'].tolist()\n",
"\n",
"# for every row i and every element j in row i\n",
"for (i,j), value in np.ndenumerate(class_probs):\n",
" # check if probability of class i is not less than threshold\n",
" if class_probs[i][j] > threshold:\n",
" index = indices_estimated[i]\n",
" # save estimated label\n",
" df.loc[index, 'Estimated'] = classes[j]\n",
" # annotate probability\n",
" df.loc[index, 'Probability'] = value\n",
" # count labels\n",
" estimated_labels[int(classes[j])] += 1"
]
},
{
"cell_type": "code",
"execution_count": 19,
"metadata": {},
"outputs": [
{
"name": "stdout",
"output_type": "stream",
"text": [
"Number of auto-labeled samples in round 8: 8677\n",
"Estimated labels: {0: 8064, 1: 18, 2: 595}\n"
]
}
],
"source": [
"print('Number of auto-labeled samples in round {}: {}'.format(m, sum(estimated_labels.values())))\n",
"print('Estimated labels: {}'.format(estimated_labels))"
]
},
{
"cell_type": "code",
"execution_count": null,
"metadata": {},
"outputs": [],
"source": [
"# THIS CELL IS OPTIONAL\n",
"# let the Naive Bayes Algorithm test the quality of data set's labels\n",
"\n",
"# split data into text and label set\n",
"X = df.loc[df['Label'] != -1, 'Title'] + '. ' + df.loc[df['Label'] != -1, 'Text']\n",
"X = X.reset_index(drop=True)\n",
"y = df.loc[df['Label'] != -1, 'Label']\n",
"y = y.reset_index(drop=True)\n",
"\n",
"# use sklearn's CountVectorizer\n",
"cv = False\n",
"\n",
"# call script with manually labeled and manually unlabeled samples\n",
"#%time MNBInteractive.measure_mnb(X, y, cv)"
]
},
{
"cell_type": "code",
"execution_count": 20,
"metadata": {},
"outputs": [
{
"name": "stdout",
"output_type": "stream",
"text": [
"End of this round (no. 8):\n",
"Number of manually labeled articles: 900\n",
"Number of manually unlabeled articles: 9100\n"
]
}
],
"source": [
"print('End of this round (no. {}):'.format(m))\n",
"print('Number of manually labeled articles: {}'.format(len(df.loc[df['Label'] != -1])))\n",
"print('Number of manually unlabeled articles: {}'.format(len(df.loc[df['Label'] == -1])))"
]
},
{
"cell_type": "code",
"execution_count": 21,
"metadata": {},
"outputs": [],
"source": [
"# save this round to csv\n",
"df.to_csv('../data/interactive_labeling_round_{}.csv'.format(m),\n",
" sep='|',\n",
" mode='w',\n",
" encoding='utf-8',\n",
" quoting=csv.QUOTE_NONNUMERIC,\n",
" quotechar='\\'')"
]
},
{
"cell_type": "markdown",
"metadata": {},
"source": [
"NOW PLEASE CONTINUE WITH PART II.\n",
"REPEAT UNTIL ALL SAMPLES ARE LABELED."
]
}
],
"metadata": {
"kernelspec": {
"display_name": "Python 3",
"language": "python",
"name": "python3"
},
"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.1"
}
},
"nbformat": 4,
"nbformat_minor": 2
}