{ "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", "It includes a basic implementation of Multinomial Bayes Classifier.\n", "By calculating estimated class probabilities, we decide whether a news article has to be labeled manually or can be labeled automatically.\n", "For multiclass labeling, 6 classes are used.\n", "\n", "In each iteration...\n", "- We label the next 100 articles manually.\n", " \n", "- We apply the Multinomial Naive Bayes classification algorithm which returns a vector class_probs $(K_1, K_2, ... , K_6)$ per sample with the probabilities $K_i$ per class $i$.\n", " \n", "- We apply class labels automatically where possible. We define a case as distinct, if the estimated probability $K_x > 0.99$ with $x \\in {1,...,6}$. In that case, our program applies the label.\n", " \n", "- We check and correct the automated labeling if necessary.\n", "\n", " \n", "Please note: User instructions are written in upper-case.\n", "__________\n", "Version: 2019-01-17, 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", "\n", "from MNBInteractive import MNBInteractive" ] }, { "cell_type": "markdown", "metadata": {}, "source": [ "## Part I: Data preparation" ] }, { "cell_type": "markdown", "metadata": {}, "source": [ "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": [ "# 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)" ] }, { "cell_type": "code", "execution_count": 67, "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", "\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: Other/Unrelated news, 1: Merger,') \n", " print('2: Merger pending/in talks/to be approved or merger rejected/aborted/denied or sale of unit or')\n", " print('Share Deal/Asset Deal/acquisition or merger as incidental remark/not main topic/not current or speculative')\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": 10, "metadata": { "scrolled": true }, "outputs": [], "source": [ "# global dict of mentioned companies in labeled articles (company name => number of occurences\n", "dict_limit = {}\n", "\n", "# initialize dict_limit\n", "df_labeled = df[df['Label'] != -1]\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\n", "\n", "for k, v in dict_limit.items():\n", " # print organizations that are mentioned 3 times and therefore limited\n", " if v == 3:\n", " print(k)" ] }, { "cell_type": "markdown", "metadata": {}, "source": [ "## Neuer Part II:" ] }, { "cell_type": "code", "execution_count": null, "metadata": {}, "outputs": [], "source": [ "if m = 0:\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": 42, "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": 12, "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": 13, "metadata": {}, "outputs": [ { "name": "stdout", "output_type": "stream", "text": [ "News article no. 4185:\n", "\n", "HEADLINE:\n", "4185 Gunman in California UPS shooting targeted co-workers for slayings\n", "Name: Title, dtype: object\n", "\n", "TEXT:\n", "4185 By Steve Gorman - June 23 June 23 The UPS employee who shot three coworkers to death last week inside a United Parcel Service facility in San Francisco before killing himself appears to have singled out his victims deliberately, but a motive remains unknown, police said on Friday.Investigators have yet to examine the contents of computers, cell phones and a journal seized from the gunman's home in their search for clues to the June 14 attack, San Francisco Police Commander Greg McEachern said at a news conference.McEachern also revealed the murder weapon was a MasterPiece Arms \"assault-type pistol\" that he said was \"commonly known as a MAC-10,\" equipped with an extended 30-round magazine. He said such weapons are outlawed in California.That gun and a second, semiautomatic pistol recovered from the scene were both listed as stolen weapons - the MAC-10 from Utah and the other handgun in California, McEachern said.Police offered few new details about how the shooting itself unfolded.The gunman, Jimmy Lam, 38, was attending a morning briefing with fellow employees at the UPS package-sorting and delivery center in San Francisco when he pulled out a gun and \"without warning or saying anything\" opened fire on four co-workers, the police commander said.The first two victims, identified as Wayne Chan, 56, and Benson Louie, 50, were killed.In the ensuing pandemonium, Lam walked calmly outside the building, approached another co-worker, Michael Lefiti, 46, and shot him dead without uttering a word, then reentered the facility.Moments later, as police closed in, Lam put a gun to his head and pulled the trigger, McEachern said, adding that Lam fired about 20 rounds in all before the bloodshed ended. Police never fired a shot.While no motive has been established, McEachern said interviews of various witnesses have led investigators to believe that the three slayings were \"purposeful and targeted,\" based on actions observed that day.He said surveillance video also showed that during the rampage, Lam appeared to pass by other co-workers \"without there being any interactions,\" suggesting those he did shoot were intentionally singled out. It was less clear whether the two surviving gunshot victims were deliberately targeted, he said.News of the carnage in San Francisco was largely overshadowed that day by an unrelated shooting hours earlier in the Virginia suburbs of Washington that left a congressman and several others wounded before police killed the assailant. (Reporting by Steve Gorman in Los Angeles; Editing by Bill Rigby)\n", "Name: Text, dtype: object\n" ] }, { "data": { "application/vnd.jupyter.widget-view+json": { "model_id": "512a94db85c0426992ba19fc9580ab87", "version_major": 2, "version_minor": 0 }, "text/plain": [ "interactive(children=(IntSlider(value=-1, description='x', max=2, min=-1), Output()), _dom_classes=('widget-in…" ] }, "metadata": {}, "output_type": "display_data" }, { "name": "stdout", "output_type": "stream", "text": [ "0: Other/Unrelated news, 1: Merger,\n", "2: Merger pending/in talks/to be approved or merger rejected/aborted/denied or\n", "Share Deal/Asset Deal/Acquisition or Merger as incidental remark/not main topic/not current\n", "___________________________________________________________________________________________________\n", "\n", "\n", "News article no. 5874:\n", "\n", "HEADLINE:\n", "5874 Insurer Aviva first-half operating profit up 11 percent to 1.47 billion\n", "Name: Title, dtype: object\n", "\n", "TEXT:\n", "5874 August 3, 2017 / 6:34 AM / an hour ago Insurer Aviva first-half operating profit up 11 percent to 1.47 billion Reuters Staff 2 Min Read FILE PHOTO: Pedestrians walk past an Aviva logo outside the company's head office in the city of London, Britain March 5, 2009. Stephen Hird/File Photo LONDON (Reuters) - British insurer Aviva ( AV.L ) posted an 11 percent rise in operating profit in the first half of 2017 to 1.47 billion pounds ($1.94 billion), it said on Thursday, boosted by strong performances in its general insurance and fund management units. Analysts in a company-supplied poll had forecast an operating profit of 1.45 billion pounds. The company has been selling businesses it considers underperforming, including most recently Asia and Middle East-focused Friends Provident International and three Spanish joint ventures. \"Aviva is getting leaner and stronger and we are confident in our ability to sustain growth in the coming years,\" chief executive Mark Wilson said. Aviva Investors' operating profit rose 45 percent to 71 million pounds and the firm's general insurance business saw a 25 percent rise in operating profit to 417 million. Aviva's life business' operating profit rose 8 percent to 1.3 billion pounds. \"Aviva is transforming its 'no growth' businesses to 'organic growth' businesses,\" said analysts at JP Morgan, reiterating their overweight rating on the stock. Aviva also announced a 10-year extension of its UK general insurance distribution agreement with HSBC ( HSBA.L ), which it said was one of the largest ever in UK insurance. Combined operating ratio for the firm's general insurance business strengthened to 94.5 percent from 95.7 percent, where a level below 100 percent indicates an underwriting profit. The company said it would pay an interim dividend of 8.4 pence per share, up 13 percent and compared with a forecast 8.28 pence. Reporting by Carolyn Cohn; Editing by Rachel Armstrong 0 : 0 \n", "Name: Text, dtype: object\n" ] }, { "data": { "application/vnd.jupyter.widget-view+json": { "model_id": "14c9a6a4d7d143afb406ccec9eb726b7", "version_major": 2, "version_minor": 0 }, "text/plain": [ "interactive(children=(IntSlider(value=-1, description='x', max=2, min=-1), Output()), _dom_classes=('widget-in…" ] }, "metadata": {}, "output_type": "display_data" }, { "name": "stdout", "output_type": "stream", "text": [ "0: Other/Unrelated news, 1: Merger,\n", "2: Merger pending/in talks/to be approved or merger rejected/aborted/denied or\n", "Share Deal/Asset Deal/Acquisition or Merger as incidental remark/not main topic/not current\n", "___________________________________________________________________________________________________\n", "\n", "\n", "News article no. 8684:\n", "\n", "HEADLINE:\n", "8684 UPDATE 1-Canadian Pacific eyeing signs of life in crude by rail shipments\n", "Name: Title, dtype: object\n", "\n", "TEXT:\n", "8684 47 PM / Updated 14 minutes ago UPDATE 1-Canadian Pacific eyeing signs of life in crude by rail shipments Reuters Staff 3 Min Read (Adds context, background on pipeline projects) MONTREAL/CALGARY, Alberta, Nov 14 (Reuters) - Canadian Pacific Railway Ltd sees shipments of crude by rail coming alive a little bit, Chief Marketing Officer John Brooks said on Tuesday, signaling a pickup in a business that had been hurt by low energy prices and competition from pipelines. Many traders are expecting a pickup in crude by rail volumes in 2018 as oil sands projects including Suncor Energy Incs Fort Hills plant and the latest phase of Canadian Natural Resources Ltds Horizon oil sands start producing at the end of this year. Canadian railway executives, however, remain cautious about crude-by-rail demand after they were forced to slash rates for shipping crude in 2015 due to a rout in global oil prices. The energy sector is really getting interesting, Brooks told a Toronto transportation conference, noting demand for shipping several energy-related products including frac sand, which is used in the hydraulic fracturing process. CP, Canadas second-largest railroad, in October reported a better-than-expected quarterly profit on higher shipments of crude oil, coal and potash. Energy industry players are bracing for congestion on Canadas major export pipelines, which are running close to capacity, while underutilized rail loading terminals built during a crude-by-rail boom in 2014 are increasing loading volumes. TransCanada Corps in October scrapped its $12 billion Energy East pipeline that would have taken crude from Alberta to the Atlantic coast, which could further increase producers reliance on crude-by-rail. Calgary-based Gibson Energy said on a third-quarter earnings call that it has started to see its Hardisty rail terminal in central Alberta being used more than in the past. And Cenovus Energy Inc, which owns the Bruderheim terminal near Edmonton, Alberta, said earlier this month that it has additional capacity to meet increased demand as it arises. With new production expected to come on line in the next year we are about to reach the limits of current pipeline infrastructure. This will likely result in a need to turn to rail as a stopgap to allow the new crude production to reach refineries, analysts from consultancy Turner Mason & Company said on Tuesday in a client note. The most recent National Energy Board data showed Canada exported 93,000 barrels per day (bpd) by rail in July, down 40 percent from a 2017 high of 156,000 bpd in March. However, since the summer the price discount on Canadian crude in Alberta versus its global benchmark has widened and is expected to deepen in coming months. With the wider differential rail shipments become more economic, even though they are still costlier than moving crude by pipelines. (Reporting By Allison Lampert in Montreal and Nia Williams in Calgary; Editing by Meredith Mazzilli)\n", "Name: Text, dtype: object\n" ] }, { "data": { "application/vnd.jupyter.widget-view+json": { "model_id": "676fb1d2616e4ac1a42f8939c1dcd9df", "version_major": 2, "version_minor": 0 }, "text/plain": [ "interactive(children=(IntSlider(value=-1, description='x', max=2, min=-1), Output()), _dom_classes=('widget-in…" ] }, "metadata": {}, "output_type": "display_data" }, { "name": "stdout", "output_type": "stream", "text": [ "0: Other/Unrelated news, 1: Merger,\n", "2: Merger pending/in talks/to be approved or merger rejected/aborted/denied or\n", "Share Deal/Asset Deal/Acquisition or Merger as incidental remark/not main topic/not current\n", "___________________________________________________________________________________________________\n", "\n", "\n", "News article no. 475:\n", "\n", "HEADLINE:\n", "475 Airlines Lufthansa and Etihad 'in merger talks' - newspaper\n", "Name: Title, dtype: object\n", "\n", "TEXT:\n", "475 MILAN Germany's Lufthansa and Etihad Airways are in talks to possibly merge the two airlines, Italian newspaper Il Messaggero said in an unsourced report on Tuesday, boosting the German airline's share price.According to the paper, managers from both companies have for weeks been examining the possibility of Etihad buying a 30-40 percent stake in Lufthansa through a sale of new shares to the Abu Dhabi state-owned airline.In a second step, the two airlines would look at a full-blown merger, the paper said, adding that the parties would meet shortly to speed up the talks.Any combination between the two would have an impact on loss-making Italian airline Alitalia, which is 49 percent-owned by Etihad and is in the midst of a major restructuring that will likely include job cuts and grounding of planes.Lufthansa and Etihad declined to comment on what they described as \"speculation\".Lufthansa shares were up 6 percent on Tuesday, topping the DAX index of largest German companies.Lufthansa and Etihad last month signed a flight code-sharing deal after Lufthansa agreed to lease 38 crewed planes from Air Berlin, which is part-owned by Etihad.Analysts reacted with scepticism to the report, citing the foreign ownership rules governing international traffic rights, and questioning what the benefits for Lufthansa would be.In Europe an airline must by majority-owned by EU investors in order to maintain its traffic rights under international air service agreements.Lufthansa is currently almost 69 percent owned by German investors but 13 percent is in the hands of U.S. investors and a further 9 percent is owned by other nationalities.In addition, if Etihad wished to buy more than 30 percent of Lufthansa, it would have to make an offer for the company as a whole according to German takeover rules.Etihad's local rival Qatar Airways has built up a 20 percent stake in British Airways-owner IAG by purchasing shares on the open market. That has boosted links between Europe and the Asia-Pacific region. However, Credit Suisse said Lufthansa already had joint ventures with Singapore Airlines, Air China and All Nippon Airways covering the region.Greater cooperation with Lufthansa could help Etihad, especially given the growth of Qatar Airways, CAPA-Centre for Aviation senior analyst Will Horton said.\"The rapid growth of Qatar Airways and its future expansion will make it harder and costlier for Etihad to stay relevant on its own - everything else aside,\" he said in an emailed comment.There have previously been media reports that Italian shareholders in Alitalia are keen for Lufthansa to invest in the Italian carrier, along with speculation that Lufthansa could take on more of Air Berlin. However, Lufthansa executives have repeatedly said in recent weeks that they have their hands full integrating the Air Berlin planes into its operations as well as taking over Brussels Airlines.\"A Lufthansa/Etihad pseudo-merger, which is what is being suggested in the press today, presumably encompassing the whole of Alitalia and Air Berlin, looks rather implausible,\" Barclays analysts said in a note.(Reporting by Agnieszka Flak in Milan, Victoria Bryan in Berlin and Alexander Cornwell in Dubai; Editing by Greg Mahlich)\n", "Name: Text, dtype: object\n" ] }, { "data": { "application/vnd.jupyter.widget-view+json": { "model_id": "27cee705b2e0444d893b48a32b31fb6a", "version_major": 2, "version_minor": 0 }, "text/plain": [ "interactive(children=(IntSlider(value=-1, description='x', max=2, min=-1), Output()), _dom_classes=('widget-in…" ] }, "metadata": {}, "output_type": "display_data" }, { "name": "stdout", "output_type": "stream", "text": [ "0: Other/Unrelated news, 1: Merger,\n", "2: Merger pending/in talks/to be approved or merger rejected/aborted/denied or\n", "Share Deal/Asset Deal/Acquisition or Merger as incidental remark/not main topic/not current\n", "___________________________________________________________________________________________________\n", "\n", "\n", "News article no. 7628:\n", "\n", "HEADLINE:\n", "7628 EMERGING MARKETS-Emerging FX feel dollar pinch, Turkish assets rattled\n", "Name: Title, dtype: object\n", "\n", "TEXT:\n", "7628 15 AM / Updated 21 minutes ago EMERGING MARKETS-Emerging FX feel dollar pinch, Turkish assets rattled Karin Strohecker 5 Min Read LONDON, Oct 23 (Reuters) - A stronger dollar increased pressure on some emerging currencies on Monday with the Turkish lira and stocks suffering as the latest concerns over Ankaras relationship with Washington compounded the weaker global backdrop. The dollar sailed to the highest level in more than two weeks, still enjoying a boost from U.S. President Donald Trump and Republicans clearing a hurdle on tax reforms last week and speculation over who will take over at the helm of the Federal Reserve. We are seeing increasing pressure on emerging market currencies and that is likely to continue over the near term as we still have a lot of speculation regarding who will succeed Janet Yellen at the Fed, said Phoenix Kalen at Societe Generale. That is weighing on investors minds, alongside the strength of the dollar thats coming from expectations of fiscal and tax reform. The Chinese yuan fell against the U.S. dollar after a weaker midpoint fixing while Mexicos peso weakened 0.2 percent. But Turkeys lira and South Africas rand - both seen as vulnerable to U.S. interest rate rises due to current account deficits - were the hardest hit, weakening for a second straight session. Losses in the lira of more than 1 percent came after Turkeys banking regulator urged the public on Saturday to ignore rumours about financial institutions in an apparent dismissal of a report that some banks face billions of dollars of U.S. fines over alleged violations of Iran sanctions. Given the level of tensions with the U.S., the market is still sceptical about this denial, said Inan Demir at Nomura. The numbers mentioned are large...the largest fine mentioned was $5 billion and that would be a very large fine in comparison to any banks equity in Turkey. Relations between NATO allies Washington and Ankara have been strained by a series of diplomatic rows. Meanwhile U.S. authorities have hit global banks with billions of dollars in fines over violations of sanctions with Iran and other countries in recent years. Adding to the woes was data on consumer confidence, which showed an increasingly pessimistic outlook. Turkish stocks also took a tumble, slipping 0.8 percent while MSCIs emerging market benchmark was flat on the day. Meanwhile in Argentina, candidates allied with President Mauricio Macri enjoyed sweeping victories in Sundays mid-term election, strengthening his position in Congress while dimming prospects for a political comeback by his predecessor Cristina Fernandez. Investors have said they want to see Macri push through labour and tax reforms aimed at lowering business costs in Latin Americas third-biggest economy. But they have been worried about a political resurgence by Fernandez, loved by millions of low-income Argentines helped by generous social spending during her administrations. For GRAPHIC on emerging market FX performance 2017, see tmsnrt.rs/2e7eoml For GRAPHIC on MSCI emerging index performance 2017, see tmsnrt.rs/2dZbdP5 For CENTRAL EUROPE market report, see For TURKISH market report, see For RUSSIAN market report, see) Emerging Markets Prices from Reuters Equities Latest Net Chg % Chg % Chg on year Morgan Stanley Emrg Mkt Indx 1118.54 -1.15 -0.10 +29.72 Czech Rep 1056.24 -0.37 -0.04 +14.61 Poland 2484.09 +18.58 +0.75 +27.53 Hungary 0.00 +0.00 +0.00 -100.00 Romania 7919.00 -14.48 -0.18 +11.77 Greece 743.20 -6.03 -0.80 +15.47 Russia 1130.49 -3.96 -0.35 -1.90 South Africa 51807.55 +206.89 +0.40 +18.01 Turkey 07700.54 -788.15 -0.73 +37.83 China 3382.27 +3.62 +0.11 +8.98 India 32447.30 +57.34 +0.18 +21.86 Currencies Latest Prev Local Local close currency currency\n", "Name: Text, dtype: object\n" ] }, { "data": { "application/vnd.jupyter.widget-view+json": { "model_id": "3152c5667cc743848334b0be98da191a", "version_major": 2, "version_minor": 0 }, "text/plain": [ "interactive(children=(IntSlider(value=-1, description='x', max=2, min=-1), Output()), _dom_classes=('widget-in…" ] }, "metadata": {}, "output_type": "display_data" }, { "name": "stdout", "output_type": "stream", "text": [ "0: Other/Unrelated news, 1: Merger,\n", "2: Merger pending/in talks/to be approved or merger rejected/aborted/denied or\n", "Share Deal/Asset Deal/Acquisition or Merger as incidental remark/not main topic/not current\n", "___________________________________________________________________________________________________\n", "\n", "\n", "News article no. 4080:\n", "\n", "HEADLINE:\n", "4080 Japan passes law to tighten regulations on high-frequency trading\n", "Name: Title, dtype: object\n", "\n", "TEXT:\n", "4080 Business 10:13am BST Japan passes law to tighten regulations on high-frequency trading TOKYO Japan tightened regulations on high-frequency trading (HFT) this week, passing into law measures that will require HFT firms to register with regulators. Other nations in Europe and elsewhere in Asia are looking to tighten the leash on high-frequency traders who programme ultra-fast computers to trade in milliseconds without human intervention. Some major U.S. exchanges want to introduce speed limits on trading. The growing presence of HFT on the Tokyo Stock Exchange (TSE) has raised concerns high-speed trading could destabilise markets and leave retail investors at a disadvantage. The law was passed by parliament on Wednesday and the new regulations could come into force as early as 2018. Japan's market regulator, the Financial Services Agency (FSA), has said previously it wanted HFT participants to register and to ensure proper risk management measures were in place. \"The definition has not yet been created. We can guess at who might be affected, but we don't know for sure the full scope of who will be affected,\" said Seth Friedman, chief executive of advisory firm Shiroyama Consulting Co.. The new rules stipulate that a company engaging in HFT will have to establish an office in Japan or be represented in the country by an agent. HFT accounted for about 70 percent of orders on the Tokyo Stock Exchange in 2016, FSA estimates show. High-speed trading accounted for slightly less than half of actual traded value, according to market participants, taking into account order cancellations. That would amount to slightly less than 321 trillion yen ($2.9 trillion) based on figures on the TSE website for total trade in cash equity of 643 trillion yen. (Reporting by Lisa Twaronite; Editing by)\n", "Name: Text, dtype: object\n" ] }, { "data": { "application/vnd.jupyter.widget-view+json": { "model_id": "fa4167ae61b3400f8da8bb277b9a8c7f", "version_major": 2, "version_minor": 0 }, "text/plain": [ "interactive(children=(IntSlider(value=-1, description='x', max=2, min=-1), Output()), _dom_classes=('widget-in…" ] }, "metadata": {}, "output_type": "display_data" }, { "name": "stdout", "output_type": "stream", "text": [ "0: Other/Unrelated news, 1: Merger,\n", "2: Merger pending/in talks/to be approved or merger rejected/aborted/denied or\n", "Share Deal/Asset Deal/Acquisition or Merger as incidental remark/not main topic/not current\n", "___________________________________________________________________________________________________\n", "\n", "\n", "News article no. 849:\n", "\n", "HEADLINE:\n", "849 BRIEF-Snap Inc's initial valuation at $19.5 bln to $22.2 bln- CNBC, citing DJ\n", "Name: Title, dtype: object\n", "\n", "TEXT:\n", "849 Company News - Thu Feb 16, 2017 - 12:11am EST BRIEF-Snap Inc's initial valuation at $19.5 bln to $22.2 bln- CNBC, citing DJ Feb 16 (Reuters) - * Snap Inc sets initial valuation at $19.5 billion to $22.2 billion, or $14 to $16 per share, near low end of its targeted range - CNBC, citing Dow Jones Next In Company News Morning News Call - India, February 16 To access the newsletter, click on the link: http://share.thomsonreuters.com/assets/newsletters/Indiamorning/MNC_IN_02162017.pdf If you would like to receive this newsletter via email, please register at: https://forms.thomsonreuters.com/india-morning/ FACTORS TO WATCH 10:00 am: Junior Finance Minister Arjun Ram Meghwal at CII event in New Delhi. LIVECHAT: COMMODITIES OUTLOOK Oil markets remain under pressure as crude supplies remain bloated despite th 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": "d24185d0562642f5aada76400911e905", "version_major": 2, "version_minor": 0 }, "text/plain": [ "interactive(children=(IntSlider(value=-1, description='x', max=2, min=-1), Output()), _dom_classes=('widget-in…" ] }, "metadata": {}, "output_type": "display_data" }, { "name": "stdout", "output_type": "stream", "text": [ "0: Other/Unrelated news, 1: Merger,\n", "2: Merger pending/in talks/to be approved or merger rejected/aborted/denied or\n", "Share Deal/Asset Deal/Acquisition or Merger as incidental remark/not main topic/not current\n", "___________________________________________________________________________________________________\n", "\n", "\n", "News article no. 2569:\n", "\n", "HEADLINE:\n", "2569 BRIEF-Supremex announces appointment of Bertrand Jolicoeur as CFO\n", "Name: Title, dtype: object\n", "\n", "TEXT:\n", "2569 23am EDT BRIEF-Supremex announces appointment of Bertrand Jolicoeur as CFO April 20 Supremex Inc * Supremex announces appointment of Chief Financial Officer and strengthens executive team * Says announced appointment of Bertrand Jolicoeur as Chief Financial Officer * Says Lyne Bgin, interim vice-president of finance, will return to her role as corporate controller Source text for Eikon: \n", "Name: Text, dtype: object\n" ] }, { "data": { "application/vnd.jupyter.widget-view+json": { "model_id": "91c74788844a49deb2850e1ac482960f", "version_major": 2, "version_minor": 0 }, "text/plain": [ "interactive(children=(IntSlider(value=-1, description='x', max=2, min=-1), Output()), _dom_classes=('widget-in…" ] }, "metadata": {}, "output_type": "display_data" }, { "name": "stdout", "output_type": "stream", "text": [ "0: Other/Unrelated news, 1: Merger,\n", "2: Merger pending/in talks/to be approved or merger rejected/aborted/denied or\n", "Share Deal/Asset Deal/Acquisition or Merger as incidental remark/not main topic/not current\n", "___________________________________________________________________________________________________\n", "\n", "\n", "News article no. 1854:\n", "\n", "HEADLINE:\n", "1854 BRIEF-Korea Aerospace Industries selects Triumph for kf-x airframe\n", "Name: Title, dtype: object\n", "\n", "TEXT:\n", "1854 56pm EST BRIEF-Korea Aerospace Industries selects Triumph for kf-x airframe March 1 Triumph Group Inc * Triumph awarded contract with korea Aerospace Industries for kf-x airframe mounted accessory drive * Selected by Korea Aerospace Industries, ltd to provide airframe mounted accessory drives (amad) on new kf-x fighter aircraft Source text for Eikon: \n", "Name: Text, dtype: object\n" ] }, { "data": { "application/vnd.jupyter.widget-view+json": { "model_id": "657f947bcfd64bcea2dd294d740e2045", "version_major": 2, "version_minor": 0 }, "text/plain": [ "interactive(children=(IntSlider(value=-1, description='x', max=2, min=-1), Output()), _dom_classes=('widget-in…" ] }, "metadata": {}, "output_type": "display_data" }, { "name": "stdout", "output_type": "stream", "text": [ "0: Other/Unrelated news, 1: Merger,\n", "2: Merger pending/in talks/to be approved or merger rejected/aborted/denied or\n", "Share Deal/Asset Deal/Acquisition or Merger as incidental remark/not main topic/not current\n", "___________________________________________________________________________________________________\n", "\n", "\n", "News article no. 6091:\n", "\n", "HEADLINE:\n", "6091 BAT changes regional management structure after Reynolds deal\n", "Name: Title, dtype: object\n", "\n", "TEXT:\n", "6091 August 31, 2017 / 6:46 AM / 2 hours ago BAT restructures to help e-cigarettes go mainstream Justin George Varghese and Martinne Geller 4 Min Read Attendees try British American Tobacco's new tobacco heating system device 'glo' after a news conference in Tokyo, Japan, November 8, 2016. Kim Kyung-Hoon (Reuters) - British American Tobacco ( BATS.L ) has reorganized its regional management structure to integrate its vaping products with its core business, in a push by the worlds biggest listed tobacco company to help cigarette alternatives go mainstream. The move, announced on Thursday, follows the companys $49 billion (38 billion pounds) takeover of U.S. peer Reynolds American, which added Camel cigarettes and Vuse e-cigarettes to a BAT portfolio that includes Lucky Strike cigarettes, Vype e-cigarettes and the glo tobacco-heating device. \"Now that we have built a successful NGP (next generation products) business which is poised for substantial growth, we will be fully integrating NGP to leverage the scale and expertise of the whole group to drive growth in an area that is fast becoming a key part of our mainstream business,\" BAT said in a statement. BAT wants to double the number of countries where it sells vaping products this year and again in 2018, as it jostles for position in a growing market against rivals Philip Morris International ( PM.N ) and Imperial Brands ( IMB.L ). BAT and Philip Morris were the first of the big tobacco firms to invest in cigarette alternatives a few year back, as growing health consciousness reduces traditional smoking. Philip Morris, maker of Marlboro cigarettes, is ahead of BAT in the market for tobacco-based vaping devices, which some analysts believe will be more popular than traditional e-cigarettes with regular smokers, and its shares have been at a bigger premium to its peers. ( bit.ly/2xOLU9R ) Last month, the U.S. Food and Drug Administration (FDA) proposed cutting nicotine in cigarettes to \"non-addictive\" levels in a push to move smokers towards potentially less harmful e-cigarettes. Under the management reorganization announced on Thursday BAT appointed Asia-Pacific Director Jack Bowles to the newly created role of chief operating officer for the international business, excluding the United States. Shares were up around 1.5 percent at 1322 GMT on Thursday. Jefferies analyst Owen Bennett said the changes could add some uncertainty for BAT in the near term, but in the longer term it reinforced the importance of cigarette alternatives to tobacco companies, which face slowing sales globally. \"Whereas those companies that were better positioned for emerging market growth in the past were favoured, the key differentiator now is likely to be who is positioned best in emerging products, given the recent slowdown in emerging market cigarettes,\" the analyst said. Japan Tobacco said last week it would buy the Philippines' No. 2 cigarette maker Mighty Corp for about $936 million, its second large deal in Southeast Asia this month, as it deepens its push into emerging markets. British American Tobacco vs Philip Morris (YTD) bit.ly/2xOLU9R Reporting By Justin George Varghese in Bengaluru and Martinne Geller in London; Editing by Greg Mahlich and Susan Thomas\n", "Name: Text, dtype: object\n" ] }, { "data": { "application/vnd.jupyter.widget-view+json": { "model_id": "de8dcce8068542f88b1430c11ee85249", "version_major": 2, "version_minor": 0 }, "text/plain": [ "interactive(children=(IntSlider(value=-1, description='x', max=2, min=-1), Output()), _dom_classes=('widget-in…" ] }, "metadata": {}, "output_type": "display_data" }, { "name": "stdout", "output_type": "stream", "text": [ "0: Other/Unrelated news, 1: Merger,\n", "2: Merger pending/in talks/to be approved or merger rejected/aborted/denied or\n", "Share Deal/Asset Deal/Acquisition or Merger as incidental remark/not main topic/not current\n", "___________________________________________________________________________________________________\n", "\n", "\n", "News article no. 7685:\n", "\n", "HEADLINE:\n", "7685 Festive glitter brightens India gold demand\n", "Name: Title, dtype: object\n", "\n", "TEXT:\n", "7685 October 19, 2017 / 1:09 PM / Updated 7 hours ago Festive glitter brightens India gold demand Rajendra Jadhav , Arpan Varghese 3 Min Read A salesperson attends to a customer (not pictured) inside a jewellery showroom, during Akshaya Tritiya, a major gold-buying festival, in Mumbai, India April 28, 2017. REUTERS/Shailesh Andrade/Files Demand for gold jumped in India this week on account of Dhanteras and Diwali, but high prices took some sheen off the yellow metals lure during the key festival period this year. Demand in the worlds second largest gold consumer usually strengthens during the final quarter as the country gears up for the wedding season soon after the festivals when buying bullion is considered auspicious. After poor sales during Dussehra festival, demand improved significantly over the last two weeks, but was still 15 percent lower than last years Diwali, said Nitin Khandelwal, chairman of All Indian Gems & Jewellery Trade Federation. In some regions, demand was nearly 30 percent lower than normal, but in others, it was at par compared with last year. Overall for the country, demand was down around 15 percent. Local gold rates were at a premium of up to $2 an ounce over official domestic prices this week, unchanged from last week. Consumers were price sensitive and buying less gold than last year. They had a very tight budget, said Mangesh Devi, a jeweller in the western state of Maharashtra. Gold prices in India have risen nearly 8 percent so far in 2017. This year, my husbands business is down due to GST (Goods and Services Tax). Thats why I reduced spending on gold, said Sangeeta Pardesi, a housewife, who buys gold on Dhanteras every year. The launch of the GST in July, which transformed Indias 29 states into a single customs union, has hit small and medium size businesses and consumers overall. Elsewhere in Asia, there was a slight uptick in demand for physical gold, with benchmark spot gold rates headed for a weekly decline after touching a one-week low of $1,276.22 an ounce on Thursday, pressured by a firmer dollar [GOL/]. There was some buying as prices fell, especially around the $1,280 level, said Ronald Leung, chief dealer at Lee Cheong Gold Dealers in Hong Kong. However, investors remained cautious, awaiting direction on economic policy and market reforms during the 19th Communist Party Congress in China which kicked off on Wednesday and were also focused on the upcoming elections in Japan, he added. In top consumer China, premiums charged ranged between $8 and $12 per ounce over the benchmark this week, compared with $9-$14 a week earlier. Premiums of 50 cents were being charged in both Hong Kong and Singapore this week versus the 40 cents-$1.10 and 50-60 cents levels respectively in the previous week. In Tokyo, gold continued to be sold flat versus the benchmark. Reporting by Rajendra Jadhav and Radhika Bajaj in Mumbai; Apeksha Nair and Arpan Varghese in Bengaluru, editing by David Evans 0 : 0\n", "Name: Text, dtype: object\n" ] }, { "data": { "application/vnd.jupyter.widget-view+json": { "model_id": "c6ff2afb1341432190c97db21a39e8c4", "version_major": 2, "version_minor": 0 }, "text/plain": [ "interactive(children=(IntSlider(value=-1, description='x', max=2, min=-1), Output()), _dom_classes=('widget-in…" ] }, "metadata": {}, "output_type": "display_data" }, { "name": "stdout", "output_type": "stream", "text": [ "0: Other/Unrelated news, 1: Merger,\n", "2: Merger pending/in talks/to be approved or merger rejected/aborted/denied or\n", "Share Deal/Asset Deal/Acquisition or Merger as incidental remark/not main topic/not current\n", "___________________________________________________________________________________________________\n", "\n", "\n", "News article no. 4039:\n", "\n", "HEADLINE:\n", "4039 European shares recover at end of worst week in six months\n", "Name: Title, dtype: object\n", "\n", "TEXT:\n", "4039 Top 8:34am BST European shares recover at end of worst week in six months Traders work in front of the German share price index, DAX board, at the stock exchange in Frankfurt, Germany, May 18, 2017. REUTERS/Staff/Remote MILAN European shares rose slightly in early deals on Friday, timidly recovering from heavy losses suffered earlier this week after U.S. political turmoil fuelled worries over U.S. President Donald Trump's stimulus plans, denting risk appetite. The pan-European STOXX 600 index rose 0.3 percent by 0725 GMT, but was down 1.5 percent on the week, its biggest weekly loss since early November. Britain's FTSE was up 0.4 percent and euro zone blue chips added 0.3 percent. While gains were spread across all sectors, pharma stocks and financials gave the biggest boost to the STOXX with shares in heavyweight drugmaker Roche up 0.6 percent, helped by a Barclays price target upgrade, and Spanish lender Banco Santander up 0.8 percent. Among the biggest movers was Dufry, up 6.9 percent after luxury group Richemont bought a 5 percent stake in the company. Hikma shares fell 4.9 percent after the drugmaker trimmed its revenue forecast to account for the delay in its U.S. generic drug launch. This week's losses have pulled the stocks down from 21 month highs hit after a run driven by big fund inflows into Europe, solid macro data and surprisingly strong corporate earnings. With 80 percent of European companies having reported so far, 65 percent of them have beaten expectations and 8 percent have met them, according to I/B/E/S data. First quarter earnings growth is seen at 19.4 percent, slightly below the more than 20 percent previously forecast. (Reporting by Danilo Masoni, Editing by Helen Reid)\n", "Name: Text, dtype: object\n" ] }, { "data": { "application/vnd.jupyter.widget-view+json": { "model_id": "54610b2f713c47f28cc0ee0dcf428fd5", "version_major": 2, "version_minor": 0 }, "text/plain": [ "interactive(children=(IntSlider(value=-1, description='x', max=2, min=-1), Output()), _dom_classes=('widget-in…" ] }, "metadata": {}, "output_type": "display_data" }, { "name": "stdout", "output_type": "stream", "text": [ "0: Other/Unrelated news, 1: Merger,\n", "2: Merger pending/in talks/to be approved or merger rejected/aborted/denied or\n", "Share Deal/Asset Deal/Acquisition or Merger as incidental remark/not main topic/not current\n", "___________________________________________________________________________________________________\n", "\n", "\n", "News article no. 6238:\n", "\n", "HEADLINE:\n", "6238 Buckeye says no major damage to Corpus Christi facilities; plant remains shut\n", "Name: Title, dtype: object\n", "\n", "TEXT:\n", "6238 NEW YORK (Reuters) - U.S. terminal operator Buckeye Partners LP said on Sunday its facilities in Corpus Christi have not suffered major damage due to Tropical Storm Harvey.The company however will not restart the plant until there is clarity on the future status of the storm and the potential for more flooding in the region, a spokesman told Reuters via email.Equipment is currently being checked out as employees return to the plant, he said.Buckeye, which operates Buckeye Texas Processing (BTP), including a 50,000-barrel-per-day condensate splitter and a system to handle liquefied petroleum gas (LPG) at Corpus Christi, said on Saturday there was minor flooding at its facility.Reporting by Devika Krishna Kumar in New York; Editing by Andrea Ricci \n", "Name: Text, dtype: object\n" ] }, { "data": { "application/vnd.jupyter.widget-view+json": { "model_id": "083e741a4c2b4a5097f6322eb190a7aa", "version_major": 2, "version_minor": 0 }, "text/plain": [ "interactive(children=(IntSlider(value=-1, description='x', max=2, min=-1), Output()), _dom_classes=('widget-in…" ] }, "metadata": {}, "output_type": "display_data" }, { "name": "stdout", "output_type": "stream", "text": [ "0: Other/Unrelated news, 1: Merger,\n", "2: Merger pending/in talks/to be approved or merger rejected/aborted/denied or\n", "Share Deal/Asset Deal/Acquisition or Merger as incidental remark/not main topic/not current\n", "___________________________________________________________________________________________________\n", "\n", "\n", "News article no. 8908:\n", "\n", "HEADLINE:\n", "8908 Zalando lowers 2017 profit guidance after weak October\n", "Name: Title, dtype: object\n", "\n", "TEXT:\n", "8908 41 AM / Updated 10 minutes ago Zalando lowers 2017 profit guidance after weak October Reuters Staff 2 Min Read BERLIN (Reuters) - German online fashion retailer Zalando ( ZALG.DE ) warned on Tuesday that its full-year operating profit margin would be lower than expected after trading in October was weaker than forecast. FILE PHOTO: A Zalando label lies on an item of clothing in a showroom of the fashion retailer Zalando in Berlin October 14, 2014. REUTERS/Hannibal Hanschke Shares in Zalando, which dipped last month when it reported preliminary figures, were down 4.3 percent in early trading. Zalando, which has seen its profitability dented by heavy investments in logistics and technology as Amazon ( AMZN.O ) makes a big push into fashion, said construction would start this month on a second fulfilment hub in Poland. Zalando said third-quarter sales rose 29 percent to 1.075 billion euros (947.96 million pounds). Adjusted earnings before interest and taxation (EBIT) came in at 0.4 million euros, missing average analyst expectations for 2.3 million. Zalando continues to expect full-year revenue growth in the upper half of a 20 to 25 percent range, but forecast its adjusted EBIT margin would come in slightly below 5 percent, under its previous forecast at the lower end of a 5 to 6 percent range. Zalando sales were weak in October due to unseasonally warm weather, co-Chief Executive Rubin Ritter told a conference call for journalists. British rival ASOS ( ASOS.L ) last month raised its sales growth forecast for the financial year from Sept. 1 to 25-30 percent, from a previous 20-25 percent, and said it expected a stable operating profit margin of 4 percent. Zalando said it had 22.2 million active customers at the end of the quarter, a rise on 15.7 percent since the same period last year and the strongest growth since the second quarter of 2015. It said investment would continue through the fourth quarter and beyond after new logistic sites started up in Sweden and Poland, reiterating that it expects about 250 million euros in capital expenditure in 2017, including acquisitions. Reporting by Emma Thomasson; Editing by Maria Sheahan and Keith Weir\n", "Name: Text, dtype: object\n" ] }, { "data": { "application/vnd.jupyter.widget-view+json": { "model_id": "ba905e989730430386c39161bdbb1d42", "version_major": 2, "version_minor": 0 }, "text/plain": [ "interactive(children=(IntSlider(value=-1, description='x', max=2, min=-1), Output()), _dom_classes=('widget-in…" ] }, "metadata": {}, "output_type": "display_data" }, { "name": "stdout", "output_type": "stream", "text": [ "0: Other/Unrelated news, 1: Merger,\n", "2: Merger pending/in talks/to be approved or merger rejected/aborted/denied or\n", "Share Deal/Asset Deal/Acquisition or Merger as incidental remark/not main topic/not current\n", "___________________________________________________________________________________________________\n", "\n", "\n", "News article no. 1670:\n", "\n", "HEADLINE:\n", "1670 Banks could earn $332 million from wave of financial services deals\n", "Name: Title, dtype: object\n", "\n", "TEXT:\n", "1670 13pm GMT Banks could earn $332 million from wave of financial services deals The offices of international finance companies are seen in the the financial district of Canary Wharf in London, Britain, January 26, 2017. REUTERS/Eddie Keogh By Pamela Barbaglia - LONDON LONDON A spate of big deals by financial services companies in Europe could earn investment banks an estimated $332 million (271 million pounds) in advisory fees, with Goldman Sachs ( GS.N ) set to take the lion's share of the pot. In the past two days, revealed plans to buy ) and Deutsche Bank ( DBKGn.DE ) said it would raise 8 billion euros (6.9 billion pounds) from investors, potentially generating a big payday for investment banks working on those transactions. Earlier, British bank Shawbrook Group ( SHAW.L ) said it had received a $1 billion bid from two private equity firms. Goldman Sachs, which secured a major role in all three deals, has pocketed the highest fees from investment banking in the first two months of 2017 and pushing usual top dog JPMorgan ( JPM.N ) into third place. The U.S. bank could earn between $18 and $24 million for advising Standard Life while an additional $13 to $18 million could come from its advisory work with Shawbrook, according to estimates from Freeman Consulting. Aberdeen's corporate brokers, JPMorgan and Credit Suisse ( CSGN.S ), which advised the Scottish asset manager on its sale, could share proceeds of between $23 and 30 million. But the biggest boost to investment banks' fees will come from Deutsche Bank's 8 billion euro share sale which could pay advisers up to 260 million euros, according to Freeman Consulting, based on underwriting fees of between 2 and 3.25 percent of the total raised. Goldman Sachs is one of eight banks underwriting Deutsche's the rights issue alongside Credit Suisse, Barclays ( BARC.L ), BNP Paribas ( BNPP.PA ), Commerzbank ( CBKG.DE ), HSBC ( HSBA.L ), Morgan Stanley ( MS.N ) and UniCredit ( CRDI.MI ). The German bank will also pay more fees to a pool of banks underwriting the public offering of part of its asset management business, estimated at between 2.75 and 3.5 percent of the amount of money raised, according to Freeman. Appetite for big takeovers and fundraising deals in the financial services industry remains strong even if some have run up against regulatory and political hurdles. The long-awaited 29 billion euro merger of ( LSE.L ) with German rival Deutsche Boerse ( DB1Gn.DE ) was expected to pay a combined $184 million in advisory fees. But this deal is hanging by a thread after LSE turned down demands from European antitrust regulators to sell a trading platform in Italy. Since the start of the year, nearly $10 billion of financial services takeover deals have been announced in Europe, the Middle East and Africa (EMEA), with Britain accounting for almost half of the value, according to Thomson Reuters data. Equity capital markets deals across EMEA have almost doubled since the start of the year, with $36.7 billion of equity fundraisings since January compared with $21.3 billion in the same period last year. Italy's biggest bank UniCredit, which tapped investors in February, is expected to pay about $450 million to Goldman Sachs and other banks who worked on its 13 billion euro share sale, according to Freeman Consulting. ($1 = 0.9439 euros) (Reporting By Pamela Barbaglia. Editing by Jane Merriman) \n", "Name: Text, dtype: object\n" ] }, { "data": { "application/vnd.jupyter.widget-view+json": { "model_id": "6018f8af657e4357a70b9e9cba702efd", "version_major": 2, "version_minor": 0 }, "text/plain": [ "interactive(children=(IntSlider(value=-1, description='x', max=2, min=-1), Output()), _dom_classes=('widget-in…" ] }, "metadata": {}, "output_type": "display_data" }, { "name": "stdout", "output_type": "stream", "text": [ "0: Other/Unrelated news, 1: Merger,\n", "2: Merger pending/in talks/to be approved or merger rejected/aborted/denied or\n", "Share Deal/Asset Deal/Acquisition or Merger as incidental remark/not main topic/not current\n", "___________________________________________________________________________________________________\n", "\n", "\n", "News article no. 9403:\n", "\n", "HEADLINE:\n", "9403 Murdoch bets live sports and news will boost new, smaller Fox\n", "Name: Title, dtype: object\n", "\n", "TEXT:\n", "9403 December 14, 2017 / 10:14 PM / Updated 23 minutes ago Murdoch bets live sports and news will boost new, smaller Fox Jessica Toonkel 4 Min Read NEW YORK (Reuters) - Rupert Murdoch is banking on Americans love of live sports and breaking news for a new, slimmed down version of his Fox TV business after selling the companys film studios and international operations to Walt Disney Co. FILE PHOTO: Rupert Murdoch, executive chairman of News Corp and 21st Century Fox, reacts during a panel discussion at the B20 meeting of company CEOs in Sydney, July 17, 2014. REUTERS/Jason Reed//File Photo The 86-year-old media moguls play is based on the fact that sports and news still attract viewers watching in real time - and the advertisers that want to reach them - even as more people watch their favourite shows on demand after they air or online, skipping commercials completely. Are we retreating? Absolutely not, Murdoch told investors on Thursday. We are pivoting at a pivotal moment. Disneys $52.4 billion purchase of Twenty-First Century Foxs film, television and international businesses, announced earlier on Thursday, leaves Fox with a smaller but more focussed set of assets, based on Fox News Channel - the U.S. No. 1 news cable network - and its broadcasts of sports such as National Football League and Major League Baseball. Murdoch, who started in the news business 65 years ago when he inherited his fathers newspaper, is keen to adapt to new ways of reaching customers. The new Fox will keep the technology it has been working on and is developing an online streaming video service to boost online audiences for its programs, executives said. The new Fox will be about a third of the size of what it is now, with about $10 billion in annual revenue, company executives said. If investors value the new company with the same or a greater multiple as the current Fox, it would suggest a market value of at least $20 billion. Its smaller size may mean it has less leverage when negotiating with cable and satellite companies to carry its content or bidding for sports rights to air on its network. Nevertheless, Murdoch challenged investors to trust him, saying he faced similar doubts when he launched Fox News 21 years ago and Fox Sports 1 in 2013. Content and news relevant to you will always be valuable, Murdoch said. LESS IS MORE Foxs reduced size was not an immediate concern for investors. Mario Gabelli, chief executive of GAMCO Investors Inc, which is a Fox shareholder, told Reuters he is not worried about the new Foxs size given that competitors such as Sinclair Broadcast Group Inc are smaller. The U.S. Federal Communications Commissions recent move to roll back regulations that prohibit owning a television station and newspaper in the same market means the new Fox could grow by buying a string of papers and stations, Gabelli said. Contrary to recent speculation, there are no plans to fold the new Fox into News Corp, the news business including the Wall Street Journal that Murdoch split from Fox in 2013 and in which he still owns a large stake. We havent thought about combining with News Corp and if we do its way, way into the future, Murdoch said on Thursday. However, a smaller Fox may be at a disadvantage competing for sports rights from deep-pocketed digital rivals such as Facebook Inc and Amazon.com Inc as well as traditional competitors, said Brian Wieser, an analyst with Pivotal Research. Foxs deal to carry Major League Baseballs games is up for renewal in 2021 and its deal with the NFL is up in 2023. Twenty-First Century Fox CEO James Murdoch said the new Fox still would have the required scale and will compete for sports rights. Murdoch is also banking on Fox News Channel continuing its success as the top-rated cable news network, despite the fact that the average age of a Fox News viewer is over 65, according to Nielsen. For some advertisers Fox News is an important way to reach their customers, said Barry Lowenthal, president of The Media Kitchen, a New York-based media buyer. But the challenge for them is how do you bring in the younger consumers. Reporting By Jessica Toonkel; Editing by Anna Driver and Bill Rigby\n", "Name: Text, dtype: object\n" ] }, { "data": { "application/vnd.jupyter.widget-view+json": { "model_id": "2094822ca3ea42bba761e17d4b3d0751", "version_major": 2, "version_minor": 0 }, "text/plain": [ "interactive(children=(IntSlider(value=-1, description='x', max=2, min=-1), Output()), _dom_classes=('widget-in…" ] }, "metadata": {}, "output_type": "display_data" }, { "name": "stdout", "output_type": "stream", "text": [ "0: Other/Unrelated news, 1: Merger,\n", "2: Merger pending/in talks/to be approved or merger rejected/aborted/denied or\n", "Share Deal/Asset Deal/Acquisition or Merger as incidental remark/not main topic/not current\n", "___________________________________________________________________________________________________\n", "\n", "\n", "News article no. 4085:\n", "\n", "HEADLINE:\n", "4085 Spain to look at Hispasat, competition law in Atlantia bid: economy minister\n", "Name: Title, dtype: object\n", "\n", "TEXT:\n", "4085 By Sonya Dowsett - MADRID MADRID Spain signaled on Tuesday that satellite business Hispasat is a strategic asset which will be monitored if its majority-owner Abertis ( ABE.MC ) is bought by Italy's Atlantia ( ATL.MI ).Atlantia's 16.3 billion euro bid ($18 billion) for Abertis, which would create the world's biggest toll road operator, resuscitated a similar cross-border merger which fell through 10 years ago due to opposition from the Italian government.Abertis and its biggest shareholder, Criteria, said on Monday they would consider the bid but it may take months to respond. Criteria will seek the opinion of the government and other institutional investors before making a response, sources with knowledge of the matter said on Monday..The Spanish government would not interfere in the Italian infrastructure company's offer for Abertis, which was a matter between private companies, Spain's Economy Minister Luis de Guindos told journalists after an event in Barcelona.However, Hispasat, competition law and the future of Abertis-owned road concessions in Spain that are about to expire are points of interest for the Spanish government.\"Everything surrounding Hispasat will be carefully studied. It is a strategic asset for the government. It has its own set of rules and implications,\" de Guindos said.The Public Works Minister, Inigo de la Serna, said on Tuesday that aside from needing approval from Spanish competition and market authorities, any purchase of Abertis by Atlantia needed government approval due to implications for Spanish motorway concessions owned by the government and granted to Abertis and due to the future implications for Hispasat.Hispasat controls Spain's national satellite communications system. Abertis has a 57.05 percent stake, while the government owns more than 9 percent through public companies.Alongside competition law, other points of national interest could be the future of Spanish motorway concessions owned by Abertis that are up for renewal soon, de Guindos said.Atlantia Chief Executive Giovanni Castellucci said on Tuesday it was now up to the Spanish to decide.\"I will relax only after the Spanish market authority and Abertis board have given their green light (to our takeover offer),\" he told Italian newspaper Il Sole 24 Ore on Tuesday.Abertis shares closed 0.3 percent down on Tuesday at 16.30 euros, just below Atlantia's 16.5 euro offer for the stock. Atlantia closed 1.69 percent higher.(Additional reporting by Rodrigo de Miguel, Jesus Aguado in Madrid and Francesca Landini in Milan; Editing by Angus Berwick and David Evans)\n", "Name: Text, dtype: object\n" ] }, { "data": { "application/vnd.jupyter.widget-view+json": { "model_id": "8b25a13c408b474ca85d0351c4517f8f", "version_major": 2, "version_minor": 0 }, "text/plain": [ "interactive(children=(IntSlider(value=-1, description='x', max=2, min=-1), Output()), _dom_classes=('widget-in…" ] }, "metadata": {}, "output_type": "display_data" }, { "name": "stdout", "output_type": "stream", "text": [ "0: Other/Unrelated news, 1: Merger,\n", "2: Merger pending/in talks/to be approved or merger rejected/aborted/denied or\n", "Share Deal/Asset Deal/Acquisition or Merger as incidental remark/not main topic/not current\n", "___________________________________________________________________________________________________\n", "\n", "\n", "News article no. 214:\n", "\n", "HEADLINE:\n", "214 Late Christmas shoppers boost December retail sales\n", "Name: Title, dtype: object\n", "\n", "TEXT:\n", "214 All the benefits of Standard Digital, plus: Unlimited access to all content Instant Insights column for comment and analysis as news unfolds FT Confidential Research - in-depth China and Southeast Asia analysis ePaper - the digital replica of the printed newspaper Full access to LEX - our agenda setting daily commentary Exclusive emails, including a weekly email from our Editor, Lionel Barber Full access to EM Squared- news and analysis service on emerging markets\n", "Name: Text, dtype: object\n" ] }, { "data": { "application/vnd.jupyter.widget-view+json": { "model_id": "87d23ac614074cf28d3e988ec12fcbdb", "version_major": 2, "version_minor": 0 }, "text/plain": [ "interactive(children=(IntSlider(value=-1, description='x', max=2, min=-1), Output()), _dom_classes=('widget-in…" ] }, "metadata": {}, "output_type": "display_data" }, { "name": "stdout", "output_type": "stream", "text": [ "0: Other/Unrelated news, 1: Merger,\n", "2: Merger pending/in talks/to be approved or merger rejected/aborted/denied or\n", "Share Deal/Asset Deal/Acquisition or Merger as incidental remark/not main topic/not current\n", "___________________________________________________________________________________________________\n", "\n", "\n", "News article no. 3550:\n", "\n", "HEADLINE:\n", "3550 Southeast Asian e-commerce firm Garena raises $550 mln, rebrands as Sea\n", "Name: Title, dtype: object\n", "\n", "TEXT:\n", "3550 SINGAPORE May 8 Southeast Asia-focused e-commerce startup Garena Interactive Holding Ltd renamed itself Sea Ltd on Monday and said it had raised $550 million to expand in key markets such as Indonesia.The fundraising by Sea comes amid a flurry of similar deals in the region as competition for a share of Southeast Asia's biggest e-commerce market Indonesia intensifies, with more people in the 250-million strong nation gaining access to the Internet.Sea, which also provides digital payments and online gaming services, said most of the new capital would be used to grow its e-commerce platform Shopee.Shopee has more than doubled in size in the past nine months and now has an annualised gross merchandise value of over $3.0 billion, it added.Investors in Sea's fundraising round included Farallon Capital Management, Hillhouse Capital, Indonesia's GDP Venture and Philippine conglomerate JG Summit Holdings Inc, the company said. An investment arm of Taiwanese food conglomerate Uni-President Enterprises Corp and Cathay Financial Holding Co also took part.Sea did not disclose its current valuation, but was valued at $3.75 billion in a March 2016 funding round.In one of the biggest bets on e-commerce in Southeast Asia, Alibaba Group Holding Ltd bought a controlling stake in Southeast Asian online retailer Lazada Group for about $1 billion last year.Indonesia's online marketplace Tokopedia is also in talks with China's JD.Com Inc for possible fund raising, a source familiar with the matter told Reuters last week.Sea counts SeaTown Holdings, a subsidiary of Singapore state investor Temasek Holdings, and Malaysian state investor Khazanah Nasional Bhd among its investors. It also plans a $1 billion initial public offering, IFR, a Thomson Reuters publication, reported in January.On Monday, Sea also named former Singapore foreign minister George Yeo, former Indonesia minister of trade Mari Pangestu and Pandu Sjahrir, a director of Indonesian coal PT Toba Bara Sejahtra Tbk, as senior advisors. (Reporting by Aradhana Aravindan; Editing by Miral Fahmy)\n", "Name: Text, dtype: object\n" ] }, { "data": { "application/vnd.jupyter.widget-view+json": { "model_id": "329eed40cec74eeca332cd806be18095", "version_major": 2, "version_minor": 0 }, "text/plain": [ "interactive(children=(IntSlider(value=-1, description='x', max=2, min=-1), Output()), _dom_classes=('widget-in…" ] }, "metadata": {}, "output_type": "display_data" }, { "name": "stdout", "output_type": "stream", "text": [ "0: Other/Unrelated news, 1: Merger,\n", "2: Merger pending/in talks/to be approved or merger rejected/aborted/denied or\n", "Share Deal/Asset Deal/Acquisition or Merger as incidental remark/not main topic/not current\n", "___________________________________________________________________________________________________\n", "\n", "\n", "News article no. 6687:\n", "\n", "HEADLINE:\n", "6687 Italy's dual currency schemes may be long road to euro exit\n", "Name: Title, dtype: object\n", "\n", "TEXT:\n", "6687 September 8, 2017 / 3:44 PM / Updated 3 hours ago Italy's dual currency schemes may be long road to euro exit Gavin Jones 7 Min Read FILE PHOTO - Italy's former Prime Minister Silvio Berlusconi gestures during the television talk show \"Porta a Porta\" (Door to Door) in Rome, Italy June 21, 2017. REUTERS/Remo Casilli ROME (Reuters) - Italys main opposition parties are replacing their calls to leave the euro with apparently less radical proposals to flank it with a new currency they say can boost growth and jobs. Yet if any of their schemes are adopted with success they may convince many Italians that the economy can function without the euro, and make an eventual euro exit more likely. It is a big if: previous such plans have been tried around the world with mixed results and it would take a political shift for new ones to be introduced in Italy, but not everyone is ruling it out. It can be done, technically and politically it is perfectly possible, said Roberto Perotti, economics professor at Milans Bocconi University. Three of Italys four largest parties - the anti-establishment 5-Star Movement, the right-wing Northern League and Silvio Berlusconis Forza Italia - propose introducing a parallel currency after an election due early next year. They have settled on the dual currency proposal as a way of continuing to tap into widespread anti-euro sentiment in Italy while avoiding - at least for now - the huge upheaval and market turmoil that outright euro exit may trigger. Opinion polls currently point to a hung parliament in which they could get a majority of seats but would be unlikely to form a government due to divisions on other issues. Some Northern League and 5-Star lawmakers say their primary goal is to persuade Brussels and Italys partners to change European fiscal rules to allow them to spend more and cut taxes. The threat of a parallel currency, which is opposed by the European Commission, can help them achieve this, they say. However, many of the strongest supporters of the scheme are anti-euro and they admit one of its main aims would be to prepare the ground for a euro exit when the time comes. With a parallel currency in place, if we want to leave the euro our economy will still be able to operate even if the European Central Bank tries to crush us by shutting off liquidity in euros, said the Northern Leagues economics spokesman Claudio Borghi. Italians were strongly pro-euro when the single currency was launched in 1999, but since then Italy has been the most sluggish euro zone economy and many blame the euro for their falling living standards and high unemployment. A poll by the Winpoll agency in March showed only around half of Italians back the euro and an EU-wide survey in July by the German Bertelsmann Stiftung think tank showed just 17 percent of Italians said they were satisfied with the direction the EU, half the EU-average. NERVOUS MARKETS The European Commission is concerned by the dual currency talk, and so are financial markets. Investors sold off Italian government bonds last month after Berlusconi said he was in favor of printing a new lira for domestic use, to pump money into the economy. Under his plan euros would still be used for all international transactions and by tourists. The four-times prime minister had made the proposal before, but markets are now particularly edgy ahead of an election where only the ruling Democratic Party (PD) does not propose to tinker with the current euro set-up. The PD is running neck-and-neck with 5-Star, with rightist allies the Northern League and Forza Italia in third and fourth place. Asked to comment for this article, the European Commission said there could be only one legal tender in the euro zone. Yet many dual currency proponents say that is no obstacle. They argue that legal tender is defined as a currency that sellers are obliged to accept. If there is no obligation, a dual currency does not infringe any EU treaties, they say. Daniel Gros, head of the Brussels-based Centre for European Policy Studies, agreed. If there is no obligation there is no legal problem, he said. However, he doubted the proposals would ever be adopted, describing them as posturing that distracted attention from the real problem of Italys economy, which was a lack of productivity growth. READY FOR EURO COLLAPSE Dual currency supporters in Italy point to the success of employer-provided meal vouchers, now used by millions of Italians to buy groceries as well as lunches. Parallel currencies have numerous historical precedents. Berlusconi often cites the AM-lira, introduced by the allies in Italy during and after World War Two. One of the most successful is the Swiss WIR franc, launched in 1934 for use by businesses, which still helps them obtain cheap credit during downturns. Marine Le Pen, leader of Frances anti-EU National Front, proposed the reintroduction of the franc in parallel with the euro during this years election campaign. The Northern Leagues Borghi said Italy has to be ready for the euros collapse, which he sees as only a matter of time. He is the architect of the partys proposal - which Berlusconi has also hinted he would support - called mini-BOTs, named after Italys short-term Treasury bills. Borghi says initially some 70 billion euros of these small denomination, interest-free bonds would be issued by the Treasury to firms and individuals owed money by the state as payment for services or as tax rebates. They could then be used as money to pay taxes and buy any services or goods provided by the state, including, for example, petrol at stations run by state-controlled oil company ENI. Borghi says this will convince people to use them and businesses to accept them, and he has already launched surveys on Twitter and Facebook to pick the most popular designs for the mini-BOT notes. Bocconi Universitys Perotti said the impact could be severe. It would increase public debt, Brussels would object and, especially if done on a large scale it would make it more likely we are eventually forced out of the euro zone, he said. Economists who support the idea admit it would push up Italys huge public debt, the second highest in the euro zone after Greeces, but say this would soon be outweighed by the positive impact on economic growth. The anti-establishment 5-Star, which has rowed back on plans for a referendum on the euro, backs a proposal for a fiscal currency put forward by economics professor Gennaro Zezza who, like Borghi, believes the euro will fail sooner or later. Zezzas fiscal currency would initially be electronic, but he said notes could be issued within about a year. It would allow the state to pay public salaries and fund investment and, as with mini-BOTs, could be used by citizens to pay taxes. Our idea has a lot in common with mini-BOTS, he added. Editing by Philippa Fletcher \n", "Name: Text, dtype: object\n" ] }, { "data": { "application/vnd.jupyter.widget-view+json": { "model_id": "7d1be6dd40fb455db9bb1ca4f107164f", "version_major": 2, "version_minor": 0 }, "text/plain": [ "interactive(children=(IntSlider(value=-1, description='x', max=2, min=-1), Output()), _dom_classes=('widget-in…" ] }, "metadata": {}, "output_type": "display_data" }, { "name": "stdout", "output_type": "stream", "text": [ "0: Other/Unrelated news, 1: Merger,\n", "2: Merger pending/in talks/to be approved or merger rejected/aborted/denied or\n", "Share Deal/Asset Deal/Acquisition or Merger as incidental remark/not main topic/not current\n", "___________________________________________________________________________________________________\n", "\n", "\n", "News article no. 4579:\n", "\n", "HEADLINE:\n", "4579 Nikkei edges up, but caution prevails ahead of global events\n", "Name: Title, dtype: object\n", "\n", "TEXT:\n", "4579 * UK vote, ECB meeting, Comey testimony in focus* Yen moves away from its recent highs* Japanese markets shrug off latest N. Korea missile testTOKYO, June 8 Japan's Nikkei share average hovered in positive terrain on Thursday, with the yen moving away from recent highs and Wall Street edging up, but market participants were on guard ahead of key events.The Nikkei was up 0.1 percent at 19,993.97 at the end of morning trade.\"We are just moving in a range on either side of 20,000,\" said Mitsushige Akino, chief fund manager at Ichiyoshi Asset Management, referring to the milestone broken last week, when Japanese shares climbed to their highest since August 2015.UK voters head to the polls for a general election, the European Central Bank holds a regular policy meeting and former FBI Director James Comey will testify to the U.S. Senate later on Thursday.\"All of these three events add some macro benchmarks or catalyst potential,\" said Stefan Worrall, director of Japan equity sales at Credit Suisse.\"People remember the UK referendum last year was something that affected the Friday trading day in Japan. This is not the same scale or likelihood of shock factor, but the results are unclear,\" he said.Comey accused U.S. President Donald Trump on Wednesday of asking him to drop an investigation of former national security adviser Michael Flynn as part of a probe into Russia's alleged meddling in the 2016 presidential election.The ECB is widely expected to keep its policy unchanged, but sources told Reuters last week the central bank will acknowledge the improved economic outlook by removing a reference to \"downside risks\" in its statement.Meanwhile, a decisive victory for UK Prime Minister Theresa May would ensure a smooth exit from the European Union, though opinion polls have shown May's Conservative party's lead over the opposition Labour party has narrowed.Shares got a bit of a tailwind from a modestly weaker yen.But sentiment was curbed by economic data early on Thursday. Japan's economic growth in the January-March period was revised to less than half its original estimated pace because of a downward adjustment in business inventories, underscoring the fragility of its export-led expansion.Japanese markets had a muted reaction to North Korea's latest missile tests. The rogue state fired what appeared to be several land-to-ship missiles off its east coast on Thursday, South Korea's military said, ignoring world pressure to curb its weapons development.Toshiba Corp rose 4.5 percent after sources told Reuters it aims to name a buyer for its semiconductor business next week.The choice has narrowed to one bid from U.S. chipmaker Broadcom Ltd and U.S. tech fund Silver Lake and another from Toshiba chip partner Western Digital Corp and Japanese government-related investors, sources said.Dentsu Inc shares dropped 2.8 percent, after the advertising group said on Wednesday its net sales for May fell 6.8 percent from the same month a year ago.Japan Display was down 3.3 percent, after a source said the company was considering restructuring beyond cutting jobs and consolidating production, as its late entry into OLED technology caused loss of business with Apple Inc.The broader Topix added 0.1 percent to 1,598.21, while the JPX-Nikkei Index 400 also gained 0.1 percent to 14,238.76.(Reporting by Tokyo markets team; Editing by Jacqueline Wong)\n", "Name: Text, dtype: object\n" ] }, { "data": { "application/vnd.jupyter.widget-view+json": { "model_id": "0a92c14e4e43484a97be10fa48ecd5f3", "version_major": 2, "version_minor": 0 }, "text/plain": [ "interactive(children=(IntSlider(value=-1, description='x', max=2, min=-1), Output()), _dom_classes=('widget-in…" ] }, "metadata": {}, "output_type": "display_data" }, { "name": "stdout", "output_type": "stream", "text": [ "0: Other/Unrelated news, 1: Merger,\n", "2: Merger pending/in talks/to be approved or merger rejected/aborted/denied or\n", "Share Deal/Asset Deal/Acquisition or Merger as incidental remark/not main topic/not current\n", "___________________________________________________________________________________________________\n", "\n", "\n", "News article no. 2983:\n", "\n", "HEADLINE:\n", "2983 Alitalia prepares for special administration after rescue plan rejected\n", "Name: Title, dtype: object\n", "\n", "TEXT:\n", "2983 19pm BST Alitalia prepares for special administration after rescue plan rejected An Alitalia airplane takes off at the Fiumicino International airport in Rome, Italy February 12, 2016. REUTERS/Tony Gentile By Agnieszka Flak and Tim Hepher - MILAN MILAN Alitalia is preparing for special administration proceedings after workers rejected its latest rescue plan, making it impossible for the loss-making Italian airline to secure funds to keep its aircraft flying. Workers on Monday rejected a plan to cut jobs and salaries, betting the government will be asked to call in an administrator to draft an alternative rescue plan. Alitalia has been bailed out by Italy and private investors repeatedly over the years but Italy's industry minister on Tuesday ruled out nationalisation and public funds for the carrier. The airline, 49 percent-owned by Abu Dhabi's Etihad Airways, has made a profit only a few times in its 70-year history and, with around 12,500 employees, is losing at least 500,000 euros (426,340) a day. The airline said it would \"start preparing the procedures provided by law\" and a person close to the company said the board would seek shareholder approval to request the appointment of a special administrator. They would assess whether Alitalia can be overhauled or should be wound up, before preparing industrial and financial plans for a rapid revamp, either as a standalone company or through a partial or total sale, or else trigger liquidation. A shareholder meeting to decide on the next steps, initially announced by the company for Thursday, will be held on May 2, two sources close to the matter told Reuters. STILL FLYING Alitalia's flight operations remain unchanged for now, the company said in a statement. The airline has sufficient funds to keep flying for \"a matter of weeks, two to three weeks,\" partly by calling in forms of credit such as unpaid invoices, the person close to the company said. Vice Chairman James Hogan said that the outcome of the ballot meant \"all parties would lose: Alitalia employees, its customers and its shareholders, and ultimately also Italy.\" Alitalia was seeking worker backing to unlock fresh funds from shareholders and launch an ambitious restructuring plan, centred around a revamp of its business for short- and medium-haul flights and additional long-haul routes. \"An approval ... would have unblocked a 2 billion-euro capital increase, including 900 million euros of fresh funds, that would have been used to relaunch the company,\" it said. But workers had repeatedly said they were unwilling to accept any further sacrifices given Alitalia's labour costs were already among the lowest in Europe for a so-called legacy airline. They were also sceptical over its plans to return to profit by 2019 given a string of past failed restructurings. (Editing by Alexander Smith and Susan Thomas)\n", "Name: Text, dtype: object\n" ] }, { "data": { "application/vnd.jupyter.widget-view+json": { "model_id": "dadda9f5cf7548dcbcec395d10478add", "version_major": 2, "version_minor": 0 }, "text/plain": [ "interactive(children=(IntSlider(value=-1, description='x', max=2, min=-1), Output()), _dom_classes=('widget-in…" ] }, "metadata": {}, "output_type": "display_data" }, { "name": "stdout", "output_type": "stream", "text": [ "0: Other/Unrelated news, 1: Merger,\n", "2: Merger pending/in talks/to be approved or merger rejected/aborted/denied or\n", "Share Deal/Asset Deal/Acquisition or Merger as incidental remark/not main topic/not current\n", "___________________________________________________________________________________________________\n", "\n", "\n", "News article no. 6380:\n", "\n", "HEADLINE:\n", "6380 Playtech revenue rises on strong gaming division performance\n", "Name: Title, dtype: object\n", "\n", "TEXT:\n", "6380 27 AM / 32 minutes ago Playtech revenue rises on strong gaming division performance Reuters Staff 1 Min Read (Reuters) - Gambling technology company Playtech ( PTEC.L ) reported half-year revenue up nearly 25 percent on a strong performance by its flagship Casino offering and benefits from recent acquisitions. Playtech, which provides software for sports betting and online casino and poker games, said that gaming revenue rose 22.8 percent to 376.5 million euros (347.43 million pounds). Total revenue for the six months to June 30 was 421.6 million euros, up from 337.7 million euros in the same period last year. Reporting by Rahul B in Bengaluru; Editing by David Goodman 0 : 0\n", "Name: Text, dtype: object\n" ] }, { "data": { "application/vnd.jupyter.widget-view+json": { "model_id": "0e3d877a1e1d480db355c162bc8e71ba", "version_major": 2, "version_minor": 0 }, "text/plain": [ "interactive(children=(IntSlider(value=-1, description='x', max=2, min=-1), Output()), _dom_classes=('widget-in…" ] }, "metadata": {}, "output_type": "display_data" }, { "name": "stdout", "output_type": "stream", "text": [ "0: Other/Unrelated news, 1: Merger,\n", "2: Merger pending/in talks/to be approved or merger rejected/aborted/denied or\n", "Share Deal/Asset Deal/Acquisition or Merger as incidental remark/not main topic/not current\n", "___________________________________________________________________________________________________\n", "\n", "\n", "News article no. 2614:\n", "\n", "HEADLINE:\n", "2614 Airbus reaches 35 A320neo deliveries for 2017 - sources\n", "Name: Title, dtype: object\n", "\n", "TEXT:\n", "2614 Business News 4:12pm BST Airbus reaches 35 A320neo deliveries for 2017 - sources The logo of Airbus Group is seen on the company's headquarters building in Toulouse, Southwestern France, April 18, 2017. REUTERS/Regis Duvignau PARIS Airbus ( AIR.PA ) has delivered 35 A320neo aircraft so far this year, industry sources said on Tuesday, bringing to 103 the number of upgraded medium-haul jets placed in service since deliveries began in January last year. The widely watched deliveries, which as of Monday totalled 9 so far in April, include the first aircraft for Icelandic budget carrier WOW air, which said on Tuesday it had taken the jet, powered by new LEAP engines from CFM International, under a leasing deal with Air Lease Corp ( AL.N ). Airbus aims to deliver some 200 of the A320neo jets, the latest version of Airbus's best-selling jet programme, this year. It is equipped with new fuel-saving engines from either CFM, jointly owned by General Electric ( GE.N ) and France's Safran ( SAF.PA ), or U.S. rival Pratt & Whitney. But deliveries have been hampered partly by problems with Pratt & Whitney's new Geared Turbofan engines. Since A320neo deliveries began in 2016, Airbus has delivered 53 aircraft with Pratt & Whitney engines and 50 powered by CFM. Pratt & Whitney parent United Technologies ( UTX.N ) on Tuesday reaffirmed plans to deliver 350 to 400 Geared Turbofan engines to planemakers this year. CFM's shareholders have said they are trimming forecasts for LEAP engine deliveries to Airbus and other planemakers in 2017 to 450-500 units from 500. Airbus is expected to give an update on its own deliveries to airlines with quarterly earnings on Thursday. (Reporting by Tim Hepher; editing by Alexander Smith)\n", "Name: Text, dtype: object\n" ] }, { "data": { "application/vnd.jupyter.widget-view+json": { "model_id": "aff1a233f7be415bafc78ecaa4f7ca41", "version_major": 2, "version_minor": 0 }, "text/plain": [ "interactive(children=(IntSlider(value=-1, description='x', max=2, min=-1), Output()), _dom_classes=('widget-in…" ] }, "metadata": {}, "output_type": "display_data" }, { "name": "stdout", "output_type": "stream", "text": [ "0: Other/Unrelated news, 1: Merger,\n", "2: Merger pending/in talks/to be approved or merger rejected/aborted/denied or\n", "Share Deal/Asset Deal/Acquisition or Merger as incidental remark/not main topic/not current\n", "___________________________________________________________________________________________________\n", "\n", "\n", "News article no. 1178:\n", "\n", "HEADLINE:\n", "1178 Braskem sees Brazil plastics market growing 2 pct in 2017 -CEO\n", "Name: Title, dtype: object\n", "\n", "TEXT:\n", "1178 Company News 13am EST Braskem sees Brazil plastics market growing 2 pct in 2017 -CEO SAO PAULO Feb 22 Petrochemical producer Braskem SA expects demand for plastic resins to grow around 2 percent this year from 2016, Chief Executive Fernando Musa said on a Wednesday earnings call. Demand for polyethylene, polypropylene and PVC in Brazil rose 13 percent in the fourth quarter from a year ago, Braskem said in an unaudited earnings release on Wednesday. (Reporting by Brad Haynes) Next In Company News\n", "Name: Text, dtype: object\n" ] }, { "data": { "application/vnd.jupyter.widget-view+json": { "model_id": "047c8f3c7903497481fabd931a3506ab", "version_major": 2, "version_minor": 0 }, "text/plain": [ "interactive(children=(IntSlider(value=-1, description='x', max=2, min=-1), Output()), _dom_classes=('widget-in…" ] }, "metadata": {}, "output_type": "display_data" }, { "name": "stdout", "output_type": "stream", "text": [ "0: Other/Unrelated news, 1: Merger,\n", "2: Merger pending/in talks/to be approved or merger rejected/aborted/denied or\n", "Share Deal/Asset Deal/Acquisition or Merger as incidental remark/not main topic/not current\n", "___________________________________________________________________________________________________\n", "\n", "\n", "News article no. 2273:\n", "\n", "HEADLINE:\n", "2273 Effissimo says Toshiba stake purchase aimed at longer term price gain\n", "Name: Title, dtype: object\n", "\n", "TEXT:\n", "2273 TOKYO Singapore-based fund Effissimo said on Friday it had bought its 8.14 percent stake in Toshiba Corp ( 6502.T ) because it expects its share price to gain and produce returns though a longer-term increase in corporate value.Effissimo, established by former colleagues of Japan's most famous activist investor, Yoshiaki Murakami, has become the largest shareholder in Toshiba with its stake, a regulatory filing showed on Thursday.Effissimo's purchase of Toshiba shares is worth about 65 billion yen ($584 million), based on its closing price on March 15, the date of ownership shown in the filing.(Reporting by Makiko Yamazaki; Editing by Edwina Gibbs)\n", "Name: Text, dtype: object\n" ] }, { "data": { "application/vnd.jupyter.widget-view+json": { "model_id": "309cc8253a134ca2a9a79e2d4804c6c9", "version_major": 2, "version_minor": 0 }, "text/plain": [ "interactive(children=(IntSlider(value=-1, description='x', max=2, min=-1), Output()), _dom_classes=('widget-in…" ] }, "metadata": {}, "output_type": "display_data" }, { "name": "stdout", "output_type": "stream", "text": [ "0: Other/Unrelated news, 1: Merger,\n", "2: Merger pending/in talks/to be approved or merger rejected/aborted/denied or\n", "Share Deal/Asset Deal/Acquisition or Merger as incidental remark/not main topic/not current\n", "___________________________________________________________________________________________________\n", "\n", "\n", "News article no. 7288:\n", "\n", "HEADLINE:\n", "7288 Drax promotes finance head Will Gardiner as next CEO\n", "Name: Title, dtype: object\n", "\n", "TEXT:\n", "7288 6:33 AM / Updated 17 minutes ago Drax chief executive Dorothy Thompson to step down Reuters Staff 1 Min Read (Reuters) - British power producer Drax ( DRX.L ) said chief executive Dorothy Thompson will step down after 12 years in the role. The companys current finance chief Will Gardiner will succeed Dorothy Thompson who will step down from the post and leave the group at the end of 2017. Shares of the company, which owns the UKs largest power station, fell 1.5 percent in early trading. Drax is speeding up plans to convert its units to gas. Under pressure from government plans to close all coal plants by 2025, Drax has increasingly turned to burning compressed wood pellets, or biomass. The company will begin the process of appointing a new chief financial officer and will also review the option of making an appointment on an interim basis, it said on Thursday. Reporting by Rahul B and Radhika Rukmangadhan in Bengaluru; Editing by Sunil Nair\n", "Name: Text, dtype: object\n" ] }, { "data": { "application/vnd.jupyter.widget-view+json": { "model_id": "9b4316ac22d44406a0c0cf032f7c5bec", "version_major": 2, "version_minor": 0 }, "text/plain": [ "interactive(children=(IntSlider(value=-1, description='x', max=2, min=-1), Output()), _dom_classes=('widget-in…" ] }, "metadata": {}, "output_type": "display_data" }, { "name": "stdout", "output_type": "stream", "text": [ "0: Other/Unrelated news, 1: Merger,\n", "2: Merger pending/in talks/to be approved or merger rejected/aborted/denied or\n", "Share Deal/Asset Deal/Acquisition or Merger as incidental remark/not main topic/not current\n", "___________________________________________________________________________________________________\n", "\n", "\n", "News article no. 2075:\n", "\n", "HEADLINE:\n", "2075 PetroChina 2016 profit sinks 78 percent on lower crude prices\n", "Name: Title, dtype: object\n", "\n", "TEXT:\n", "2075 45am BST PetroChina 2016 profit sinks 78 percent on lower crude prices FILE PHOTO: PetroChina's petrol station is pictured in Beijing, China, March 21, 2016. REUTERS/Kim Kyung-Hoon/File Photo BEIJING China's largest oil and gas producer, PetroChina ( 601857.SS ), on Thursday reported a drop of 78 percent in 2016 annual net profit, to its lowest since at least 2011, as it was hit by lower prices for crude oil and natural gas. The shrinking profits posted by China's state oil and gas producers for last year have highlighted their growing challenges from falling output at ageing wells and excess supply in domestic fuel oil markets. PetroChina's net profit sank to 7.86 billion yuan ($1.14 billion) from 35.7 billion yuan in 2015, while revenue fell 6.3 percent to 1.62 trillion yuan ($235 billion), based on IFRS accounting standards. PetroChina's crude oil production fell 5.3 percent to 920.7 million barrels in 2016 - still the highest among global oil producers including BP ( BP.L ) and Shell ( RDSa.L ) - but marking the lowest for PetroChina since 2012, according to Reuters data. The state company's crude oil output peaked in 2015 at 972 million barrels. PetroChina's total oil and gas output for the year was 1.47 billion barrels of oil equivalent, down 1.8 percent from 2015. PetroChina had 7.44 billion barrels of proven crude oil reserves, down 12.7 percent from 2015, it said. In its annual report, the company said domestic gasoline demand was lower than expected, while diesel consumption fell. \"The situation of excessive supply in domestic refined products became severe\" last year, it said. \"The quantity of imported and processed crude oil, operating capacity, and market shares of local refineries (all) increased significantly, leading to fiercer market competition.\" PetroChina's smaller upstream competitor CNOOC ( 0883.HK ) - a specialist in offshore operations - earlier reported its worst result since 2011, but forecast its output to rise this year. Profits at Sinopec ( 600028.SS ) - Asia's largest refiner - rose 44 percent from a year earlier on the back of strong performances in refining and chemicals. Sinopec's oil and gas production in 2016, however, fell 8.6 percent to 431.29 million barrels of oil equivalent versus 471.91 million a year earlier. ($1 = 6.8895 Chinese yuan) (Reporting by Josephine Mason and Meng Meng; Editing by Tom Hogue) Next In Business News\n", "Name: Text, dtype: object\n" ] }, { "data": { "application/vnd.jupyter.widget-view+json": { "model_id": "1239c49cef0e43cb8291995c42b57629", "version_major": 2, "version_minor": 0 }, "text/plain": [ "interactive(children=(IntSlider(value=-1, description='x', max=2, min=-1), Output()), _dom_classes=('widget-in…" ] }, "metadata": {}, "output_type": "display_data" }, { "name": "stdout", "output_type": "stream", "text": [ "0: Other/Unrelated news, 1: Merger,\n", "2: Merger pending/in talks/to be approved or merger rejected/aborted/denied or\n", "Share Deal/Asset Deal/Acquisition or Merger as incidental remark/not main topic/not current\n", "___________________________________________________________________________________________________\n", "\n", "\n", "News article no. 2166:\n", "\n", "HEADLINE:\n", "2166 BRIEF-Village Farms announces year end 2016 results\n", "Name: Title, dtype: object\n", "\n", "TEXT:\n", "2166 16am EDT BRIEF-Village Farms announces year end 2016 results March 31 Village Farms International Inc * Village Farms announces year end 2016 results * Village Farms International - sales for 3 months ended Dec 31, 2016 increased by $2,187, or 6%, to $37,308 from $35,121 for 3 months ended Dec 31, 2015 * Village Farms International Inc - net income for 3 months ended Dec 31, 2016 decreased by $2,033 to $453 from $2,486 for 3 months ended Dec 31, 2015 Source text for Eikon: \n", "Name: Text, dtype: object\n" ] }, { "data": { "application/vnd.jupyter.widget-view+json": { "model_id": "d3819b0031e0418f87b0c66ec86b15e5", "version_major": 2, "version_minor": 0 }, "text/plain": [ "interactive(children=(IntSlider(value=-1, description='x', max=2, min=-1), Output()), _dom_classes=('widget-in…" ] }, "metadata": {}, "output_type": "display_data" }, { "name": "stdout", "output_type": "stream", "text": [ "0: Other/Unrelated news, 1: Merger,\n", "2: Merger pending/in talks/to be approved or merger rejected/aborted/denied or\n", "Share Deal/Asset Deal/Acquisition or Merger as incidental remark/not main topic/not current\n", "___________________________________________________________________________________________________\n", "\n", "\n", "News article no. 29:\n", "\n", "HEADLINE:\n", "29 ECB has told several banks to submit plans on bad loan by end-Feb - source\n", "Name: Title, dtype: object\n", "\n", "TEXT:\n", "29 Business News - Mon Jan 30, 2017 - 1:08pm GMT ECB has told several banks to submit plans on bad loan by end-Feb - source The European Central Bank (ECB) headquarters is pictured in Frankfurt, Germany, December 8, 2016. REUTERS/Ralph Orlowski MILAN The European Central Bank has asked several banks to submit a plan by the end of February spelling out how they intend to reduce their problematic loans, a source familiar with the matter said on Monday. The source, who declined to name the banks involved, said the request was a follow-up to the ECB's new guidance on non-performing loans issued last year. Italy's biggest bank by assets UniCredit ( CRDI.MI ) earlier on Monday said it had been requested to present such a plan by Feb. 28. Genoa-based Banca Carige ( CRGI.MI ) must also submit its own plan by that deadline. Italian banks are saddled with 356 billion euros ($378 billion) of soured debts, a third of the euro zone's total, accumulated during a long recession. (Reporting by Silvia Aloisi, editing by Luca Trogni) Next In Business News Oil steady but U.S. drilling weakens deal to cut output LONDON Oil prices were steady on Monday, but news of another increase in U.S. drilling activity spread concern over rising output just as many of the world's oil producers are trying to comply with a deal to pump less in an attempt to prop up prices.\n", "Name: Text, dtype: object\n" ] }, { "data": { "application/vnd.jupyter.widget-view+json": { "model_id": "45d4884a301c43db81a164d4b291cc53", "version_major": 2, "version_minor": 0 }, "text/plain": [ "interactive(children=(IntSlider(value=-1, description='x', max=2, min=-1), Output()), _dom_classes=('widget-in…" ] }, "metadata": {}, "output_type": "display_data" }, { "name": "stdout", "output_type": "stream", "text": [ "0: Other/Unrelated news, 1: Merger,\n", "2: Merger pending/in talks/to be approved or merger rejected/aborted/denied or\n", "Share Deal/Asset Deal/Acquisition or Merger as incidental remark/not main topic/not current\n", "___________________________________________________________________________________________________\n", "\n", "\n", "News article no. 87:\n", "\n", "HEADLINE:\n", "87 Investment Focus: History suggests Trump month will be stocks down, dollar up\n", "Name: Title, dtype: object\n", "\n", "TEXT:\n", "87 Business News 9:18am EST Investment Focus: History suggests Trump month will be stocks down, dollar up FILE PHOTO - Republican U.S. presidential candidate Donald Trump poses for a photo after an interview with Reuters in his office in Trump Tower, in the Manhattan borough of New York City, U.S., May 17, 2016. REUTERS/Lucas Jackson/File Photo By Jamie McGeever and Marc Jones - LONDON LONDON For financial markets, the Trump era begins on Monday, and if history is any guide the following month should be a rocky one for Wall Street but positive for the dollar. The S&P 500 .SPX has fallen a median 2.7 percent in the month after each new president has taken the keys to the White House since Herbert Hoover did so in January 1929, according to Reuters analysis. Only four presidents have seen Wall Street rise in their first month in power: Hoover (+3.8 percent), John F. Kennedy in 1961 (+6 pct), George H. W. Bush in 1989 (+5.3 pct) and Bill Clinton in 1993 (0.8 pct). The market has fallen in the first month under every other incoming president since Hoover. Even Ronald Reagan and Barack Obama, who ultimately presided over 120 percent and 165 percent rallies on Wall Street during their two terms, respectively, saw initial slides of 4.8 percent and 15 percent. The dollar tends to fare better. Analysis going back to the early 1970s when the currency was taken off the gold standard shows it has risen an average 2.2 percent in the first month of a first-time president. Donald Trump takes office as the 45th president of the United States with investor apprehension over an incoming president has rarely been higher. \"There are two sides to Trump, the one side focusing on U.S. stimulus which drives up global growth and the other side, the protectionist Donald Trump that could do the opposite. So the big question is which will we get?,\" said State Street Global Advisors' EMEA head of currencies James Binny. Markets latched on after Trump won the November election to his reflationary and pro-growth stance: stocks rose to new highs, the bond selloff deepened, and the dollar clocked a 14-year peak against the euro. But as the inauguration has drawn closer, that momentum has faded. This week, the Dow Jones .DJI and dollar .DXY hit six-week lows, the 10-year U.S. Treasury yield its lowest since late November US10YT=RR, and gold rose to its highest in two months XAU=. Some investors are playing safe. \"We are neutral, because we don't know exactly what direction Trump will take,\" said Lukas Daadler, chief investment officer of investment solutions at Robeco, a subsidiary of Robeco Group. The latter has 269 billion euros in assets under management. \"There is some extreme positioning out there, so there's the risk of a short squeeze. But we've taken a neutral stance, and we might see more detail on his plans next week.\" Much of that positioning is in the U.S. bond market and the dollar. Speculators have amassed record bets against 10-year Treasuries, and according to Bank of America Merrill Lynch's January fund manager survey, the most overcrowded trade in the world now is the pro-dollar trade. BAML strategists said on Friday that although there has been a clear cooling of \"Trump trade\" bets in recent weeks, overall investor sentiment is its highest in three months. They recommend sticking with they call the \"Icarus trade\" - one last 10 percent rise in stocks and commodities before the rally ends. For graphic on markets one month into presidency: reut.rs/2k8p0Ui The Presidential Touch: tmsnrt.rs/2j1OyVe (Graphic by Vikram Subhedar; Editing by Jeremy Gaunt) Next In Business News\n", "Name: Text, dtype: object\n" ] }, { "data": { "application/vnd.jupyter.widget-view+json": { "model_id": "e0e9ddd9ee044a0886baf7a99a21fda4", "version_major": 2, "version_minor": 0 }, "text/plain": [ "interactive(children=(IntSlider(value=-1, description='x', max=2, min=-1), Output()), _dom_classes=('widget-in…" ] }, "metadata": {}, "output_type": "display_data" }, { "name": "stdout", "output_type": "stream", "text": [ "0: Other/Unrelated news, 1: Merger,\n", "2: Merger pending/in talks/to be approved or merger rejected/aborted/denied or\n", "Share Deal/Asset Deal/Acquisition or Merger as incidental remark/not main topic/not current\n", "___________________________________________________________________________________________________\n", "\n", "\n", "News article no. 3431:\n", "\n", "HEADLINE:\n", "3431 Japan proposes expanding bilateral FX swap scheme with ASEAN\n", "Name: Title, dtype: object\n", "\n", "TEXT:\n", "3431 Economy 3:25am BST Japan proposes expanding bilateral FX swap scheme with ASEAN Light is cast on a Japanese 10,000 yen note as it's reflected in a plastic board in Tokyo, in this February 28, 2013 picture illustration. REUTERS/Shohei Miyano/Illustration/File Photo YOKOHAMA, Japan Japan's Ministry of Finance on Friday proposed launching bilateral foreign exchange swap arrangements of up to 40 billion dollars with Southeast Asian nations to enable Tokyo to provide yen funds to these countries during times of financial crisis. The proposal was made during a meeting between finance ministers and central bank governors from Japan and the members of Association of Southeast Asian Nations (ASEAN) in Japan, the ministry said in a statement. The move is aimed at making yen funds more accessible to Japanese firms increasing their presence in Southeast Asia as well as others in need of the Japanese currency in case of financial stress. The scheme would allow each country to choose either the yen or the dollar in receiving funds under the bilateral arrangements in response to liquidity crisis. Separately on Friday, Japan entered into bilateral currency swap arrangement worth 3 billion dollars with Thailand and agreed to enter a similar arrangement with Malaysia under a current swap framework. (Reporting by Tetsushi Kajimoto; Editing by Sam Holmes)\n", "Name: Text, dtype: object\n" ] }, { "data": { "application/vnd.jupyter.widget-view+json": { "model_id": "936fb352f3974774b1344f95c16575ce", "version_major": 2, "version_minor": 0 }, "text/plain": [ "interactive(children=(IntSlider(value=-1, description='x', max=2, min=-1), Output()), _dom_classes=('widget-in…" ] }, "metadata": {}, "output_type": "display_data" }, { "name": "stdout", "output_type": "stream", "text": [ "0: Other/Unrelated news, 1: Merger,\n", "2: Merger pending/in talks/to be approved or merger rejected/aborted/denied or\n", "Share Deal/Asset Deal/Acquisition or Merger as incidental remark/not main topic/not current\n", "___________________________________________________________________________________________________\n", "\n", "\n", "News article no. 3530:\n", "\n", "HEADLINE:\n", "3530 Tracker rates for energy? French firm brings 'new innovation' to UK - Business\n", "Name: Title, dtype: object\n", "\n", "TEXT:\n", "3530 A French power company has promised to restore trust in the energy market with a new tracker tariff linked to wholesale prices, days after big suppliers were found to be making record profit margins from their customers. Engie, which describes itself as the biggest new entrant to the UK domestic energy market in 15 years, said it was the right time for the company to launch in Britain, despite both the Tories and Labour planning price caps on energy bills .We invest because regardless of any political context, this is something that makes sense, said Wilfrid Petrie, Engies UK chief executive.The company, formerly known as GDF Suez, arrives in the UK this week alongside two small new energy companies, taking the total of domestic suppliers to a record 52. The number is set to keep rising: regulator Ofgem said it expected to grant licences for a further six suppliers in June and July.Engie hopes to stand out by offering scale, transparency, green credentials and additional services, such as installing smart thermostats in peoples homes.Thousands face energy bill hikes of more than 400 this month Read more Unusually, the supplier promises that when its fixed tariffs come to an end, customers will be moved to its cheapest deal, rather than following the industry practice of rolling people on to pricier default tariffs.Petrie said he hoped to attract a few hundred thousand customers, but refused to put a timeline on the goal, adding: There are no hard targets we set ourselves. Engie has gained 15,000 domestic customers since a soft launch in December.Petrie insisted the company was committed to the UK despite the threat of price regulation and said it could carve out a niche. [The UK is] highly scrutinised, the players are criticised and the image is not particularly good, and there is a market with a lot of competition, he said.Alongside conventional fixed deals, the cheapest of which costs 880 a year, Engie will launch a tracker tariff this summer that goes up or down each month depending on the cost of wholesale gas and electricity. The company said 40% of the tariff paid by consumers would be made up of wholesale costs, with the rest of the tariff comprising costs from government policy, the transmission network and profits.Tory MPs plot to water down Theresa May's energy price cap pledge Read more Those wholesale price changes are passed on. Unfortunately, its the good and the bad they could go up, they could go down, said Paul Rawson, the firms head of energy solutions. I think its a new innovation, and a new ability for customers to get real price transparency and restore a bit of trust in the industry.The tracker follows a similar wholesale tracker tariff launched on Monday by Octopus Energy , another relatively new challenger supplier that signed up 90,000 customers in its first year.Engie will also be competing with a pair of new entrants that launched this week, including Pure Planet, which claims it will be the cheapest supplier of renewable energy on the market, with a single tariff of around 900. BP owns a quarter of the company, set up by four friends who founded Virgin Mobile in 1999, and is also the producer of the wind, solar and hydro power that the company is buying.The other new entrant is Peoples Energy, which raised 450,000 via a crowdfunding campaign and pledges to return 75% of its profits to customers each year in an annual rebate.Topics Energy industry Energy bills Consumer affairs Household bills Utilities news \n", "Name: Text, dtype: object\n" ] }, { "data": { "application/vnd.jupyter.widget-view+json": { "model_id": "6242087f9b8246a796b85d68d29019f8", "version_major": 2, "version_minor": 0 }, "text/plain": [ "interactive(children=(IntSlider(value=-1, description='x', max=2, min=-1), Output()), _dom_classes=('widget-in…" ] }, "metadata": {}, "output_type": "display_data" }, { "name": "stdout", "output_type": "stream", "text": [ "0: Other/Unrelated news, 1: Merger,\n", "2: Merger pending/in talks/to be approved or merger rejected/aborted/denied or\n", "Share Deal/Asset Deal/Acquisition or Merger as incidental remark/not main topic/not current\n", "___________________________________________________________________________________________________\n", "\n", "\n", "News article no. 2717:\n", "\n", "HEADLINE:\n", "2717 World Bank chief echoes Bill Gates's warning to Theresa May on aid - Business\n", "Name: Title, dtype: object\n", "\n", "TEXT:\n", "2717 The president of the World Bank has told Theresa May that cutting the UKs aid budget could lead to an increase in conflict, terrorism and migration and would damage Britains international reputation.In a strongly worded response to reports that the government was considering dropping its commitment to devote 0.7% of national income to aid each year, Jim Kim said the money the UK provided was vital not just for developing countries but for the future of the world.His comments came after Bill Gates told the Guardian that lives would be lost in Africa if the government dropped the commitment because plans to eradicate malaria would be jeopardised. Like Kim, the Microsoft founder also stressed that the UK would lose influence. Lives at risk if Tories choose to ditch UK foreign aid pledge, says Bill Gates Read more At 13.3bn in 2016, Britains aid budget was the third biggest in the world after Germany and US. Of the G7, only Britain and Germany currently meet the UNs 0.7% target for aid, and Britain is also one of the biggest donors to the World Bank . Kim said the UKs Department for International Development had played a vital role in efforts to rid the world of poverty. We were extremely encouraged when prime minister David Cameron fulfilled the commitment to 0.7%, Kim said at a press conference to mark the opening of the spring meetings of the Bank and the International Monetary Fund.It is important for people in the UK to understand just how significant that was in expanding the UKs influence in the world. It would be very unfortunate for the UK to reduce its efforts. I would say the 0.7% that has been committed to is critically, critically important, not just for developing countries but for the future of the world.The 0.7% pledge was originally made by Labour but it was only achieved after Cameron became prime minister in 2010. May is under pressure from the Tory right, Ukip and Conservative-supporting papers to cut aid spending. She pointedly refused this week to say she would keep to the commitment in the event of winning the forthcoming general election, prompting strong speculation that it will be abandoned.Kim said Britains aid money had never been more important, joining a chorus of voices opposing the idea of reneging on the 0.7% pledge.Romilly Greenhill, a senior research fellow at the Overseas Development Institute, said it allowed Britain to punch above its weight on the international stage.Everything you need to know about UK aid and the 0.7% spending pledge Read more Bill Gates is right to say Britains aid contribution is saving lives and putting children in school, he said. The first message is that it is needed, the second is that it is effective, and the third is that, in terms of a global Britain, it is very significant.Ive observed a lot of UN negotiations and developing countries and richer countries see it as a real indicator of Britains place on the international stage. It buys Britain a lot of kudos. Particularly when we leave the EU, it will demonstrate that we are punching above our weight.Tamsyn Barton, the chief executive of Bond, the UK membership body for development groups, said: It would be a travesty if the UKs 0.7% commitment, made to help the worlds poorest people, was not committed to by all political parties. This is not the time to shirk our global responsibility or step back from the world.Charlie Matthews, ActionAids head of advocacy, said: A truly global Britain must be outward looking. UK aid and the commitment to 0.7% is helping to feed millions of hungry people in east Africa whose lives have been devastated by drought. Aid saves lives and helps the worlds poorest people, especially women and girls.Jeff Crisp, a research associate at the Refugees Studies Centre at the University of Oxford, said dropping the aid pledge was not inevitable, but would be one way for May to appease the Tory right before difficult Brexit negotiations.She will have to appease the right wing of her own party. One of the ways will be to get rid of it or to reduce it. Another way she could appease the right wing of the party would be to increase the way the overseas development budget will be used for things that are not strictly development.Kim said: Were meeting at a time when we face overlapping crises, both natural and man made, all which add urgency to our mission: conflict; climate shocks; the worst refugee crisis since the second world war; and famine in parts of East Africa and Yemen, which the UN has called the worst in 70 years. With the famine in particular, the world was caught unprepared.Kim said the multiple crises were linked to rising aspirations prompted by greater internet access. Aspiration matched by opportunity could create dynamic societies, he added.But if those rising aspirations meet frustration we are very worried about more and more countries going down the path to fragility, conflict, violence, extremism and, of course, eventually migration. Because the other thing that access to the internet does is it increases peoples desire to migrate.Kim said there was a need to create successful developing countries that would buy goods from the developed west and so ensure that rising aspirations were not met with frustration.This is not something thats theoretical. Its happening in front of our eyes. People have to think of aid as more than just giveaways.\n", "Name: Text, dtype: object\n" ] }, { "data": { "application/vnd.jupyter.widget-view+json": { "model_id": "8b0a93aad6f34861bf04d888bfc94918", "version_major": 2, "version_minor": 0 }, "text/plain": [ "interactive(children=(IntSlider(value=-1, description='x', max=2, min=-1), Output()), _dom_classes=('widget-in…" ] }, "metadata": {}, "output_type": "display_data" }, { "name": "stdout", "output_type": "stream", "text": [ "0: Other/Unrelated news, 1: Merger,\n", "2: Merger pending/in talks/to be approved or merger rejected/aborted/denied or\n", "Share Deal/Asset Deal/Acquisition or Merger as incidental remark/not main topic/not current\n", "___________________________________________________________________________________________________\n", "\n", "\n", "News article no. 2727:\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": "258f15f541014e72a0e69c04db09f827", "version_major": 2, "version_minor": 0 }, "text/plain": [ "interactive(children=(IntSlider(value=-1, description='x', max=2, min=-1), Output()), _dom_classes=('widget-in…" ] }, "metadata": {}, "output_type": "display_data" }, { "name": "stdout", "output_type": "stream", "text": [ "0: Other/Unrelated news, 1: Merger,\n", "2: Merger pending/in talks/to be approved or merger rejected/aborted/denied or\n", "Share Deal/Asset Deal/Acquisition or Merger as incidental remark/not main topic/not current\n", "___________________________________________________________________________________________________\n", "\n", "\n", "News article no. 4739:\n", "\n", "HEADLINE:\n", "4739 Asian currencies subdued as New York Fed president's comments lift dollar\n", "Name: Title, dtype: object\n", "\n", "TEXT:\n", "4739 10:58am IST Asian currencies subdued as New York Fed president's comments lift dollar William C. Dudley, President and Chief Executive Officer of the Federal Reserve Bank of New York speaks during a panel discussion at The Bank of England in London, Britain, March 21, 2017. REUTERS/Kirsty Wigglesworth/Pool/Files By Shashwat Pradhan Most Asian currencies slipped on Tuesday, as the dollar saw support after an influential Federal Reserve official said U.S. inflation was likely to rise alongside wages, supporting expectations for the Fed to keep raising interest rates. The comments by New York Fed President William Dudley, a close ally of Fed Chair Janet Yellen, were among the first after the U.S. central bank raised rates last week in the face of a series of soft inflation readings. \"This is actually a pretty good place to be\" with unemployment at 4.3 percent and inflation at about 1.5 percent, Dudley told the North Country Chamber of Commerce in Plattsburg, New York. Asked about a so-called flattening of yields in the bond market, which suggest investors are sceptical that this Fed policy-tightening cycle will last much longer, Dudley said pausing policy now could raise the risk of inflation surging and would hurt the economy. Dudley's comments have the \"potential to convince markets that the U.S. economy has been and is continuing to do fine without Trumps stimulus plans,\" DBS said in a note. The dollar rose to 111.770 yen at one point, reaching its strongest level since May 26. Most Asian currencies depreciated against the dollar, with the Indian rupee, Malaysian ringgit and the Chinese yuan edging 0.1 percent lower. The Taiwanese dollar fell marginally, remaining on track to reverse yesterday's gains. Taiwan's central bank is expected to leave its policy rate unchanged for the fourth straight quarter at a meeting on Thursday, as exports continue to gather momentum and inflation remains mild. \"Taiwan dollar swap rates are likely to stay around current levels. A revisit of the lows seen in 2016 appears unlikely unless the central bank allows domestic liquidity to surge again,\" DBS added. The Indonesian rupiah fell marginally to 13,292 against the dollar. Indonesian Finance Minister Sri Mulyani Indrawati said on Monday that she expects the country's 2017 budget deficit might reach 2.6 percent of gross domestic product versus the 2.41 percent seen in the current plan. KOREAN WON The South Korean won fell as much as 0.5 percent to touch an eight-week low on Tuesday, leading the declines among emerging Asian currencies. South Korea on Monday announced tighter mortgage rules and curbs on speculative resales of homes in Seoul and parts of Busan - the toughest rules in almost three years as policymakers sought to stabilise hot housing markets amid soaring household debt. Despite today's declines, the won has been one of the best performing currencies in Asia this year, strengthening more than six percent against the dollar. The non-deliverable outright market expects the currency to appreciate to 1128.3 against the dollar in a year. PHILIPPINE PESO The Philippine peso weakened as much as 0.4 percent on Tuesday to a seven-week low. The Philippine central bank is widely expected to leave interest rates steady on Thursday, a Reuters poll showed, but pressures on inflation are likely to keep an interest rate increase on the cards this year. The central bank has kept policy settings unchanged since a 25 basis point hike in interest rates in September 2014. Additionally, the Philippines posted a balance of payments deficit of $59 million in May compared with a surplus of $917 million in April, data released by the Philippine central bank showed. The following table shows rates for Asian currencies against the dollar at 0503 GMT. CURRENCIES VS U.S. DOLLAR Currency Latest bid Previous day Pct Move Japan yen 111.650 111.51 -0.13 Sing dlr 1.387 1.3866 +0.01 Taiwan dlr 30.379 30.361 -0.06 Korean won 1136.800 1132.7 -0.36 Baht 33.970 33.92 -0.15\n", "Name: Text, dtype: object\n" ] }, { "data": { "application/vnd.jupyter.widget-view+json": { "model_id": "e05e94c51e114006b8c18db36fe78492", "version_major": 2, "version_minor": 0 }, "text/plain": [ "interactive(children=(IntSlider(value=-1, description='x', max=2, min=-1), Output()), _dom_classes=('widget-in…" ] }, "metadata": {}, "output_type": "display_data" }, { "name": "stdout", "output_type": "stream", "text": [ "0: Other/Unrelated news, 1: Merger,\n", "2: Merger pending/in talks/to be approved or merger rejected/aborted/denied or\n", "Share Deal/Asset Deal/Acquisition or Merger as incidental remark/not main topic/not current\n", "___________________________________________________________________________________________________\n", "\n", "\n", "News article no. 5138:\n", "\n", "HEADLINE:\n", "5138 German stocks - Factors to watch on July 31\n", "Name: Title, dtype: object\n", "\n", "TEXT:\n", "5138 July 31, 2017 / 5:16 AM / 4 hours ago German stocks - Factors to watch on July 31 5 Min Read FRANKFURT/BERLIN, July 31 (Reuters) - The DAX top-30 index looked set to open 0.2 percent lower on Monday, according to premarket data from brokerage Lang & Schwarz at 0612 GMT. The following are some of the factors that may move German stocks: Autos BMW indicated 0.8 percent lower Daimler indicated 0.6 percent lower VW indicated 0.7 percent lower The German environment ministry has rejected calls from two of the country's states for tax incentives to promote the sale of low-emission modern diesels and electric cars. Auto supplier Robert Bosch plans to decide by the end of the year or early next year whether it will start producing battery cells for electric cars, Chief Executive Volkmar Denner told Welt am Sonntag. Tesla Chief Executive Officer Elon Musk said late on Friday the Model 3 had over half a million advance reservations as he handed over the first 30 to employee buyers, as the company aims to become a profitable, mass market electric car maker. Commerzbank Indicated 0.1 percent lower Commerzbank's new investor, U.S. buyout fund Cerberus, plans to claim a seat on the lender's supervisory board, Sueddeutsche Zeitung reported, citing sources on the controlling panel. Commerzbank declined comment. Daimler Indicated 0.6 percent lower The carmaker's finance arm said on Sunday it was heading for another record year after signing nearly one million new leasing and finance contracts between January and June. Deutsche Bank Indicated 0.3 percent higher A U.S. judge on Friday said investors may pursue part of their nationwide antitrust lawsuit accusing 12 of the world's biggest banks of conspiring to rig the $275 trillion market for interest rate swaps. Deutsche Boerse Indicated 0.1 percent lower Executive Carsten Kengeter, who is under investigation for insider trading, frequently met and spoke by telephone with his London Stock Exchange counterpart in the months before they announced official merger talks, Der Spiegel magazine reported on Friday. Deutsche Telekom Indicated 0.2 percent higher Sprint Corp has proposed a merger with Charter Communications Inc as the wireless carrier seeks an alternative to a deal with T-Mobile US Inc that has so far not come to fruition, according to sources familiar with the matter. Munich Re Indicated unchanged Chief executive Joachim Wenning expects loss-making unit Ergo to deliver on cost cuts and to seek no parent funding, Sueddeutsche Zeitung reported on Sunday, citing an interview. Volkswagen Indicated 0.8 percent lower VW's planned sale of motorcycle brand Ducati and transmissions maker Renk has currently no majority backing on the carmaker's supervisory board, with opponents to asset sales feeling invigorated by the group's strong results. Italy's Benetton family is among five bidders short-listed to buy Italian motorcycle brand Ducati, which is being sold by the German carmaker, a source close to the matter said on Saturday. Audi aims to cut costs by 10 billion euros ($11.7 billion) by 2022 to help fund a shift to electric cars as it seeks to move on after the emissions scandal, sources close to the carmaker said. Schaeffler No indication available The automotive supplier plans to invest 500 million euros ($587 million) in electric mobility by 2020 and hire another 1,200 workers, monthly magazine Automobil Produktion reported on Saturday, citing an interview. Evotec The biotech firm plans to buy U.S. pharmaceutical company Aptuit for about 256 million euros. Rib Software No indication available The software group's Q2 operating EBITDA increases 43.1 percent to 9.3 million euros on 10.6 percent higher sales. Bet-at-home.com \n", "Name: Text, dtype: object\n" ] }, { "data": { "application/vnd.jupyter.widget-view+json": { "model_id": "fbf906fb597840fa9f9f24ca14de7439", "version_major": 2, "version_minor": 0 }, "text/plain": [ "interactive(children=(IntSlider(value=-1, description='x', max=2, min=-1), Output()), _dom_classes=('widget-in…" ] }, "metadata": {}, "output_type": "display_data" }, { "name": "stdout", "output_type": "stream", "text": [ "0: Other/Unrelated news, 1: Merger,\n", "2: Merger pending/in talks/to be approved or merger rejected/aborted/denied or\n", "Share Deal/Asset Deal/Acquisition or Merger as incidental remark/not main topic/not current\n", "___________________________________________________________________________________________________\n", "\n", "\n", "News article no. 3258:\n", "\n", "HEADLINE:\n", "3258 Unilever picks Morgan Stanley and Goldman to sell spreads business - sources\n", "Name: Title, dtype: object\n", "\n", "TEXT:\n", "3258 12:59pm BST Unilever picks Morgan Stanley and Goldman to sell spreads business - sources The logo of the Unilever group is seen at the Miko factory in Saint-Dizier, France, May 4, 2016. REUTERS/Philippe Wojazer/File Photo By Pamela Barbaglia and Martinne Geller - LONDON LONDON Anglo-Dutch consumer group Unilever ( ULVR.L ) has decided to work with Morgan Stanley and Goldman Sachs on the sale of its margarine and spreads business, which was announced last week, sources told Reuters on Thursday. The sale, which could fetch as much as 6 billion pounds, is expected to kick off later this year, the sources said, following a far-reaching review of Unilever's business prompted by February's unsolicited $143 billion takeover offer from Kraft Heinz ( KHC.O ). Morgan Stanley and Goldman Sachs are mainly targeting private equity bidders which could team up in large consortia to finance the bid, said the sources, who declined to be identified as the process is private. Unilever and Morgan Stanley declined to comment while Goldman Sachs was not immediately available to comment. Goldman and Morgan Stanley have both worked with Unilever on deals in the past. Morgan Stanley worked on Unilever's defence against Kraft. Unilever said last week that it planned to sell the spreads business by year-end, but would also prepare it for a spin-off if a sale could not be completed. (Editing by Jane Merriman)\n", "Name: Text, dtype: object\n" ] }, { "data": { "application/vnd.jupyter.widget-view+json": { "model_id": "1e590da493b04219aa177011464ee368", "version_major": 2, "version_minor": 0 }, "text/plain": [ "interactive(children=(IntSlider(value=-1, description='x', max=2, min=-1), Output()), _dom_classes=('widget-in…" ] }, "metadata": {}, "output_type": "display_data" }, { "name": "stdout", "output_type": "stream", "text": [ "0: Other/Unrelated news, 1: Merger,\n", "2: Merger pending/in talks/to be approved or merger rejected/aborted/denied or\n", "Share Deal/Asset Deal/Acquisition or Merger as incidental remark/not main topic/not current\n", "___________________________________________________________________________________________________\n", "\n", "\n", "News article no. 8834:\n", "\n", "HEADLINE:\n", "8834 Iridium says last call from its device on missing Argentine submarine was Wednesday\n", "Name: Title, dtype: object\n", "\n", "TEXT:\n", "8834 BUENOS AIRES, Nov 19 (Reuters) - U.S. satellite communications company Iridium Communications Inc said on Sunday the last call from its device aboard a missing Argentine submarine was made at 1136 GMT on Wednesday, the day the vessel vanished.Argentinas Defense Ministry has said seven failed satellite calls on Saturday may have been from the submarine. In a statement to Reuters, Iridium referred to those reports and said no calls from the vessel were made on its network on Saturday but that there may be equipment from another satellite communications company aboard the submarine. (Reporting by Mitra Taj, Maximiliano Rizzi and Luc Cohen; Editing by Peter Cooney) \n", "Name: Text, dtype: object\n" ] }, { "data": { "application/vnd.jupyter.widget-view+json": { "model_id": "a806d29feacf4ee29dcedae7614d6df6", "version_major": 2, "version_minor": 0 }, "text/plain": [ "interactive(children=(IntSlider(value=-1, description='x', max=2, min=-1), Output()), _dom_classes=('widget-in…" ] }, "metadata": {}, "output_type": "display_data" }, { "name": "stdout", "output_type": "stream", "text": [ "0: Other/Unrelated news, 1: Merger,\n", "2: Merger pending/in talks/to be approved or merger rejected/aborted/denied or\n", "Share Deal/Asset Deal/Acquisition or Merger as incidental remark/not main topic/not current\n", "___________________________________________________________________________________________________\n", "\n", "\n", "News article no. 3355:\n", "\n", "HEADLINE:\n", "3355 South Korean IPOs charge ahead despite tensions - Reuters\n", "Name: Title, dtype: object\n", "\n", "TEXT:\n", "3355 Global Energy News - Thu May 4, 2017 - 4:33am IST South Korean IPOs charge ahead despite tensions A currency dealer works in front of electronic boards showing the Korea Composite Stock Price Index (KOSPI) (C), the exchange rates between the Chinese yuan and South Korean won (L), and tthe exchange rate between U.S. dollar and South Korean won (R), at a dealing room of a... REUTERS/Kim Hong-Ji By Elzio Barreto and Joyce Lee - HONG KONG/SEOUL HONG KONG/SEOUL South Korea has emerged as an unusual hot spot for initial public offerings this year, shooting up to the third most-active market in the world despite political upheaval and tensions with its neighbours. Investors have spent $3.7 billion in South Korea so far in 2017, behind U.S. IPOs of $13.5 billion and Chinese listings of $11.1 billion, Thomson Reuters data shows. IPOs of $974 million from ING Life Insurance Korea and $2.3 billion from mobile games maker Netmarble Games Corp last week have been the driving force behind the Korean IPO splurge. The pipeline is set to continue in coming months with budget airline Jin Air Co Ltd, Kyobo Life Insurance and Celltrion Healthcare among those expected to go public. \"Most of the Korean corporates as well as investors are more comfortable with the recent political issues, so that they're ready to do something,\" said June Won, head of capital market origination Korea at Citigroup, which helped manage the Netmarble IPO. \"Investors are taking it in stride. If you look at the Korean currency, which is getting stronger, and bond trading numbers, all these indicate Korea is quite stable even though there is some noise,\" he said, referring to Korean tensions. The impeachment and ousting from office of President Park Geun-hye cleared the way for an election next week and put an end to a political crisis that had lasted for months. Investors are also seeing through tensions with North Korea as the United States, its allies and China, increase pressure on Pyongyang to rein in its nuclear weapons ambitions. They see conflict as unlikely. Healthy exports and stronger-than-expected GDP figures for the first quarter have boosted confidence in the economy. That has translated into stronger financial markets. The won KRW= is the second-best performing major Asian currency against the U.S. dollar in 2017, up 6.8 percent. Stocks are up about 9.5 percent and at six-year highs. South Korea's IPO market this year is more than seven times bigger than at the same time last year. It's ranking is all the more surprising because the global market is also much stronger, with IPOs so far this year of $49.8 billion more than double the year-earlier level. UP NEXT ING Life debuts in Seoul on May 11 and Netmarble the following day. Jin Air said last week it wanted to list by the end of 2017, but it did not disclose how much it aims to raise. Celltrion Healthcare, the marketing affiliate of biosimilar drugs firm Celltrion Inc ( 068270.KQ ), plans to raise up to 1 trillion won ($886 million) in an IPO. Kyobo Life, South Korea's third-largest life insurer by assets, said in March it plans to raise funds to boost its capital, but gave no fundraising target, local media said. ING Life is about a third of the size of Kyobo Life by assets. Even Hotel Lotte Co Ltd, which shelved a $4.5 billion IPO last year amid an investigation of parent Lotte Group from prosecutors, could revive the listing in 2017. Bankers said deal activity is also being boosted by new rules introduced at the start of the year that allow high-growth startups yet to be profitable to seek a public listing. Only companies with a profit record were permitted to list previously. South Korea's largest mobile-commerce company Coupang could be among tech companies set to go public under the new rules, local media reports have said. Repeated calls to a Coupang spokesman went unanswered. The new rules also put underwriters on the line if newly listed companies tumble, demanding they guarantee that they will buy back the shares if they fall more than 10 percent within three months of listing. \"The new rules more or less let the market decide how to list a company,\" said Alpha Asset Management fund manager CJ Heo. \"With more companies able to be listed, and a variety of valuation and other techniques, sooner or later IPO advisors will... begin new ways of bookbuilding and listing, which means both new risk and new opportunities for investors in South Korea.\" ($1=1,128.4000 won) (Reporting by Elzio Barreto in HONG KONG and Joyce Lee in SEOUL: editing by Neil Fullick)\n", "Name: Text, dtype: object\n" ] }, { "data": { "application/vnd.jupyter.widget-view+json": { "model_id": "f1e7913e27dd44b7a4ecf1277d07a1bd", "version_major": 2, "version_minor": 0 }, "text/plain": [ "interactive(children=(IntSlider(value=-1, description='x', max=2, min=-1), Output()), _dom_classes=('widget-in…" ] }, "metadata": {}, "output_type": "display_data" }, { "name": "stdout", "output_type": "stream", "text": [ "0: Other/Unrelated news, 1: Merger,\n", "2: Merger pending/in talks/to be approved or merger rejected/aborted/denied or\n", "Share Deal/Asset Deal/Acquisition or Merger as incidental remark/not main topic/not current\n", "___________________________________________________________________________________________________\n", "\n", "\n", "News article no. 2976:\n", "\n", "HEADLINE:\n", "2976 Shares in Saudi's Alawwal Bank and SABB surge after merger talks\n", "Name: Title, dtype: object\n", "\n", "TEXT:\n", "2976 DUBAI Shares in Saudi Arabia's Alawwal Bank 1040.SE rose 9 percent in early trading on Wednesday after it agreed to start talks with Saudi British Bank 1060.SE (SABB) about a merger that could create the kingdom's third biggest bank with assets of nearly $80 billion.Shares in SABB increased 6.8 percent in early trading after the two lenders announced the merger plans late on Tuesday.Most other Saudi bank stocks also rose.Muhammad Faisal Potrik, head of research at Riyad Capital, said the merger could be a precursor to the start of an M&A trend in the banking and other sectors such as petrochemicals, insurance and retail.\"We would view completion of this merger as a very positive development,\" he said.(Reporting By Tom Arnold and Celine Aswad; additional reporting by Katie Paul)\n", "Name: Text, dtype: object\n" ] }, { "data": { "application/vnd.jupyter.widget-view+json": { "model_id": "82a79b3510da4e30916bdc48e09d0619", "version_major": 2, "version_minor": 0 }, "text/plain": [ "interactive(children=(IntSlider(value=-1, description='x', max=2, min=-1), Output()), _dom_classes=('widget-in…" ] }, "metadata": {}, "output_type": "display_data" }, { "name": "stdout", "output_type": "stream", "text": [ "0: Other/Unrelated news, 1: Merger,\n", "2: Merger pending/in talks/to be approved or merger rejected/aborted/denied or\n", "Share Deal/Asset Deal/Acquisition or Merger as incidental remark/not main topic/not current\n", "___________________________________________________________________________________________________\n", "\n", "\n", "News article no. 3225:\n", "\n", "HEADLINE:\n", "3225 U.S. Congress takes steps to push budget deadline, avert shutdown\n", "Name: Title, dtype: object\n", "\n", "TEXT:\n", "3225 By Richard Cowan - WASHINGTON WASHINGTON The U.S. Congress began moving to extend Friday's budget deadline until May 5 and is expected to pass legislation allowing more time to finalize a spending deal to fund the federal government through September and avoid a shutdown.House Appropriations Committee Chairman Rodney Frelinghuysen introduced a bill late on Wednesday night to fund government operations at current levels for one more week, giving leading Republicans and Democrats time to finish negotiations on a spending plan for the rest of the fiscal year ending on Sept. 30.Without the congressional extension or a longer-term funding bill, federal agencies will run out of money by midnight Friday, likely triggering abrupt layoffs of hundreds of thousands of federal government workers until funding resumes.The last government shutdown, in 2013, lasted for 17 days, and many lawmakers are nervous at the prospect of another.\"I am optimistic that a final funding package will be completed soon,\" Frelinghuysen, a New Jersey Republican, said in a statement.Negotiators spent Wednesday racing against the clock to resolve remaining disputes in the massive spending bill amid talks that have already handed Democrats at least two major victories despite Republican control of Congress.President Donald Trump, also a Republican, gave in to Democratic demands that the spending bill not include money to start building the wall he wants to erect on the U.S.-Mexico border. His administration also agreed to continue funding for a major component of the Affordable Care Act, commonly known as Obamacare, despite vows to end the program.It remained unclear whether Republicans would prevail in their effort to significantly increase defense spending without similar increases to other domestic programs. Trump has proposed a $30 billion spending boost for the Pentagon for the rest of this fiscal year.Such funding disputes could resurface later in spending bills for the next fiscal year starting in October.Other disagreements must also still be ironed out in the current plan, including funding to make a healthcare program for coal miners permanent and to plug a gap in Puerto Rico's Medicaid program, the government health insurance program for the poor.Additional \"riders\" on other issues could also be tucked into the legislation, which must pass both the U.S. House of Representatives and the Senate.Although Republicans control both chambers of Congress, they hold just 52 seats in the Senate and will need support from some Democrats to win the 60 votes needed there to pass the bill. Susan Cornwell and Amanda Becker in Washington and Caroline Humer in New York; Editing by Peter Cooney and Lisa Von Ahn)\n", "Name: Text, dtype: object\n" ] }, { "data": { "application/vnd.jupyter.widget-view+json": { "model_id": "e7852403825a4283954d7e4bfac7eb6c", "version_major": 2, "version_minor": 0 }, "text/plain": [ "interactive(children=(IntSlider(value=-1, description='x', max=2, min=-1), Output()), _dom_classes=('widget-in…" ] }, "metadata": {}, "output_type": "display_data" }, { "name": "stdout", "output_type": "stream", "text": [ "0: Other/Unrelated news, 1: Merger,\n", "2: Merger pending/in talks/to be approved or merger rejected/aborted/denied or\n", "Share Deal/Asset Deal/Acquisition or Merger as incidental remark/not main topic/not current\n", "___________________________________________________________________________________________________\n", "\n", "\n", "News article no. 6278:\n", "\n", "HEADLINE:\n", "6278 Japan's manufacturers most optimistic in a decade as economy grows - Reuters Tankan\n", "Name: Title, dtype: object\n", "\n", "TEXT:\n", "6278 August 21, 2017 / 4:30 AM / 8 hours ago Japan's manufacturers most optimistic in a decade as economy grows - Reuters Tankan Tetsushi Kajimoto and Izumi Nakagawa 4 Min Read A production line of beer is pictured at Japanese brewer Kirin Holdings' factory in Toride, Ibaraki Prefecture, Japan July 14, 2017. Kim Kyung-Hoon/Files TOKYO (Reuters) - Confidence at Japanese manufacturers rose in August to its highest level in a decade led by producers of industrial materials, a Reuters poll showed, in a further sign of broadening economic recovery. The Reuters' monthly poll - which tracks the Bank of Japan's closely watched quarterly tankan - found the service-sector mood fell but still remained at a relatively high level, underscoring the firmness in domestic demand which drove robust expansion in the second quarter. Business sentiment was likely to sag slightly over the next three months, indicating a potential pullback from the hefty 4 percent annualised growth in the April-June quarter driven by private consumption and capital expenditure. The sentiment index for manufacturers rose one point to 27 in August in the poll of 548 large- and mid-sized companies, conducted Aug. 1-16, in which 265 firms responded. It was the best reading since August 2007, just before the last global financial crisis, led by producers of industrial materials such as oil, steel and chemicals, as well as manufacturers of metals, machinery and transport equipment. \"Our business is led by overseas markets. The domestic market is not so bad, China is recovering and America and Europe are performing well. Overall the sentiment is positive,\" Keisuke Fujii, a spokesman for Fanuc Corp, a manufacturer of robotics and automation equipment, told Reuters. The company expects current profits to rise 6.1 percent this financial year and sales to increase 13.9 percent, due to demand for IT-related products in China and Taiwan, and industrial robots in the United States, Europe and China, he said. BAD WEATHER, WARINESS ON OUTLOOK Reflecting some wariness on the outlook, however, the manufacturers' index was seen slipping to 26 in November, with the yen strengthening amid concerns over developments surrounding North Korea's missile and nuclear programmes. \"Given the ongoing strength of overseas demand, we believe sentiment will remain firm going forward,\" said Yuichiro Nagai, economist at Barclays Securities. \"That said, the Japanese yen is appreciating and share prices are falling amid geopolitical risk. This trend, if it accelerates, could sharply undermine business sentiment.\" The Reuters Tankan service-sector index slipped to 29 in August from the previous month's two-year high of 33, dragged down by sectors such as retailing, where confidence fell for a third straight month. The service-sector index was expected to drop further to 25 in November. Cool and rainy weather may dampen consumer spending in August, which would be worrying as private consumption constitutes about 60 percent of the economy and was a primary driver of the second-quarter's robust expansion. Still, the retailers' sentiment index is expected to bounce in November, underlining a pick-up in consumption with a change in the weather, and the tightening labour market keeping household incomes firm. The Reuters Tankan indexes are calculated by subtracting the percentage of pessimistic respondents from optimistic ones. A positive figure means optimists outnumber pessimists. The BOJ's last tankan out July 3 showed big manufacturers' business confidence hit its highest level in more than three years in the June quarter. Reporting by Tetsushi Kajimoto; Editing by Eric Meijer 0 : 0\n", "Name: Text, dtype: object\n" ] }, { "data": { "application/vnd.jupyter.widget-view+json": { "model_id": "3469e52a60fc4d468dcb3c3328555ac5", "version_major": 2, "version_minor": 0 }, "text/plain": [ "interactive(children=(IntSlider(value=-1, description='x', max=2, min=-1), Output()), _dom_classes=('widget-in…" ] }, "metadata": {}, "output_type": "display_data" }, { "name": "stdout", "output_type": "stream", "text": [ "0: Other/Unrelated news, 1: Merger,\n", "2: Merger pending/in talks/to be approved or merger rejected/aborted/denied or\n", "Share Deal/Asset Deal/Acquisition or Merger as incidental remark/not main topic/not current\n", "___________________________________________________________________________________________________\n", "\n", "\n", "News article no. 4895:\n", "\n", "HEADLINE:\n", "4895 U.S. judge allows some VW investor diesel claims to proceed\n", "Name: Title, dtype: object\n", "\n", "TEXT:\n", "4895 Autos - Wed Jun 28, 2017 - 5:28pm EDT U.S. judge allows some VW investor diesel claims to proceed Volkswagen's logo is seen at its dealer shop in Beijing, China, October 1, 2015. REUTERS/Kim Kyung-Hoon By David Shepardson - WASHINGTON WASHINGTON A federal judge in California on Wednesday allowed some claims to proceed by investors who sued Volkswagen AG over its diesel emissions scandal, but agreed to the German automaker's request to dismiss parts of the lawsuit. U.S. District Judge Charles Breyer said in an 18-page order he was allowing claims that VW and then-Chief Executive Officer Martin Winterkorn intentionally or recklessly understated VW's financial liabilities made since May 2014, but dismissing claims for financial statements issued before then. That VW \"may have deliberately employed an illegal defeat device does not mean the company knew with reasonable certainty that it was going to get caught,\" Breyer wrote in dismissing thee older statements. Breyer also dismissed claims that VW brand chief Herbert Diess understated VW financial liabilities in 2015, but Breyer rejected a bid to throw out a claim against then VW U.S. chief Michael Horn. The plaintiffs, mostly U.S. municipal pension funds, have accused VW of not having informed the market in a timely fashion and understated possible financial liabilities. The lawsuits said VW's market capitalization fell by $63 billion after the diesel cheating scandal became public in September 2015. The plaintiffs had invested in VW through American Depositary Receipts, a form of equity ownership in a non-U.S. company that represents the foreign shares of the company held on deposit by a bank in the company's home country. Volkswagen said in a statement it was pleased \"with the courts decision to limit the scope of the plaintiffs allegations, and believes the remaining claims are without merit, which we intend to demonstrate as this case proceeds.\" CEO Winterkorn resigned days after the scandal became public and much of the company's management has changed since 2015. VW in September 2015 admitted using sophisticated secret software in its cars to cheat exhaust emissions tests and pleaded guilty in March in a U.S. court to three felonies in connection with the scandal. Volkswagen has agreed to spend as much as $25 billion in the United States to resolve claims from owners and regulators over polluting diesel vehicles and has offered to buy back about 500,000 vehicles. Through mid-June, VW has spent $6.3 billion buying back vehicles and compensating U.S. owners. (Reporting by David Shepardson; Editing by David Gregorio) \n", "Name: Text, dtype: object\n" ] }, { "data": { "application/vnd.jupyter.widget-view+json": { "model_id": "e482c3e7c6454cbbad2b2231d8d45a52", "version_major": 2, "version_minor": 0 }, "text/plain": [ "interactive(children=(IntSlider(value=-1, description='x', max=2, min=-1), Output()), _dom_classes=('widget-in…" ] }, "metadata": {}, "output_type": "display_data" }, { "name": "stdout", "output_type": "stream", "text": [ "0: Other/Unrelated news, 1: Merger,\n", "2: Merger pending/in talks/to be approved or merger rejected/aborted/denied or\n", "Share Deal/Asset Deal/Acquisition or Merger as incidental remark/not main topic/not current\n", "___________________________________________________________________________________________________\n", "\n", "\n", "News article no. 353:\n", "\n", "HEADLINE:\n", "353 Brazil's BRF says halal food unit IPO remains an option\n", "Name: Title, dtype: object\n", "\n", "TEXT:\n", "353 SAO PAULO Jan 6 BRF SA, the world's largest poultry exporter, said on Friday an initial public offering of a subsidiary focused on the halal processed food market remains a strategic option.Reuters reported on Thursday that BRF wants to raise about $1.5 billion from the sale of a 20 percent stake in the unit, known as One Foods Holdings Ltd. In a Friday securities filing in response to the report, BRF said the IPO could take place in London but it is also gauging a private placement. (Reporting by Bruno Federowski; Editing by Leslie Adler)\n", "Name: Text, dtype: object\n" ] }, { "data": { "application/vnd.jupyter.widget-view+json": { "model_id": "06cada555b65415090b6b732786477ae", "version_major": 2, "version_minor": 0 }, "text/plain": [ "interactive(children=(IntSlider(value=-1, description='x', max=2, min=-1), Output()), _dom_classes=('widget-in…" ] }, "metadata": {}, "output_type": "display_data" }, { "name": "stdout", "output_type": "stream", "text": [ "0: Other/Unrelated news, 1: Merger,\n", "2: Merger pending/in talks/to be approved or merger rejected/aborted/denied or\n", "Share Deal/Asset Deal/Acquisition or Merger as incidental remark/not main topic/not current\n", "___________________________________________________________________________________________________\n", "\n", "\n", "News article no. 5917:\n", "\n", "HEADLINE:\n", "5917 Husky Energy to buy $435 million Wisconsin refinery\n", "Name: Title, dtype: object\n", "\n", "TEXT:\n", "5917 CALGARY, Alberta (Reuters) - Canadian integrated oil company Husky Energy Inc said on Monday it is buying a refinery in the United States from Calumet Specialty Products Partners LP for $435 million in cash.The refinery in Superior, Wisconsin, has capacity to process 50,000 barrels per day.The deal, which also includes the refinery's associated logistics assets, will increase Husky's refining capacity to 395,000 bpd, the company said.Husky produces primarily heavy oil from oil sands and conventional operations in western Canada and the deal will help it manage exposure to depressed global crude prices, which are hovering below $50 a barrel on concerns about a persistent supply glut.\"Acquiring the Superior Refinery will increase Huskys downstream crude processing capacity, keeping value-added processing in lockstep with our growing production,\" said CEO Rob Peabody.Husky currently produces around 320,000 bpd and aims to grow output to 400,000 bpd by 2021.Shares of Calumet rose 9 percent to $5.93 in late morning trade on the Nasdaq, while Husky's shares rose 0.5 percent to C$14.69 on the Toronto Stock Exchange.Husky said it would retain about 180 workers at the refinery, which can process Canadian heavy crude and light and medium barrels from Canada and the Bakken region, and also boosts the company's asphalt production capacity.The company said it is deferring a decision on whether to expand asphalt capacity at its Lloydminster, Saskatchewan, refinery until after 2020 and will be considered again as heavy oil production grows.BMO Capital Markets was Husky's financial adviser on the deal and Milbank LLP its legal adviser.Reporting by Nia Williams in Calgary and Ahmed Farhatha in Bengaluru; Editing by Maju Samuel and David Gregorio\n", "Name: Text, dtype: object\n" ] }, { "data": { "application/vnd.jupyter.widget-view+json": { "model_id": "941ac9d5bfd448b481e2c3752c70725a", "version_major": 2, "version_minor": 0 }, "text/plain": [ "interactive(children=(IntSlider(value=-1, description='x', max=2, min=-1), Output()), _dom_classes=('widget-in…" ] }, "metadata": {}, "output_type": "display_data" }, { "name": "stdout", "output_type": "stream", "text": [ "0: Other/Unrelated news, 1: Merger,\n", "2: Merger pending/in talks/to be approved or merger rejected/aborted/denied or\n", "Share Deal/Asset Deal/Acquisition or Merger as incidental remark/not main topic/not current\n", "___________________________________________________________________________________________________\n", "\n", "\n", "News article no. 6797:\n", "\n", "HEADLINE:\n", "6797 Britain's FCA quizzed by lawmakers on listing rule plans ahead of Aramco IPO\n", "Name: Title, dtype: object\n", "\n", "TEXT:\n", "6797 FILE PHOTO: Logo of Saudi Aramco is seen at the 20th Middle East Oil & Gas Show and Conference (MOES 2017) in Manama, Bahrain, March 7, 2017. REUTERS/Hamad I Mohammed/File Photo LONDON (Reuters) - Britains financial regulator has been told by two parliamentary committees to address concerns that plans to relax rules on listing state companies could undermine corporate governance.The Financial Conduct Authority (FCA) in July proposed a new listing category for companies controlled by sovereign states, which was seen as a move to help London win the listing of Saudi Aramco as the oil giant prepares for what is expected to be the worlds largest ever initial public offering.The proposal, however, has attracted the attention of Britains Treasury Select Committee and Energy and Industrial Strategy Committee, chaired by Nicky Morgan and Rachel Reeves respectively, who have written an open letter to FCA boss Andrew Bailey asking if the rules could weaken protection for private investors against interference from foreign sovereign company owners.They asked the regulator to explain if Aramcos interest in listing in London influenced the consultation and whether companies controlled by sovereign entities engaged in it.The logo of the new Financial Conduct Authority (FCA) is seen at the agency's headquarters in the Canary Wharf business district of London April 1, 2013. The Financial Services Authority (FSA) has been scrapped from April 1 amid reforms to fix a supervisory system criticised for failing to spot the financial crisis coming, forcing Britain to bail out banks. Two new bodies will replace it - the FCA and the Prudential Regulation Authority. REUTERS/Chris Helgren (BRITAIN - Tags: BUSINESS POLITICS LOGO) - GM1E9411OC101 Morgan and Reeves also asked if ministers and government officials had been consulted on the balance between attracting foreign investment and maintaining the integrity of Britains stock market.The FCA said it has received the letter and will respond in due course.The FCAs proposals were applauded by Britains financial lobby groups as helping to ensure the countrys capital markets remain attractive once it leaves the European Union.But they have received a cold reception from investors and corporate governance groups that say the proposed new listing category could lower the quality of companies on the London stock market and leave shareholders with less protection when things go wrong.Aramco has yet to decide where it will list, though London and New York have been touted as frontrunners for the bulk of the public flotation.Reporting by Clara Denina; Additional reporting by Huw Jones; Editing by David Goodman \n", "Name: Text, dtype: object\n" ] }, { "data": { "application/vnd.jupyter.widget-view+json": { "model_id": "7c289ad688724560bb14e5ff01591a79", "version_major": 2, "version_minor": 0 }, "text/plain": [ "interactive(children=(IntSlider(value=-1, description='x', max=2, min=-1), Output()), _dom_classes=('widget-in…" ] }, "metadata": {}, "output_type": "display_data" }, { "name": "stdout", "output_type": "stream", "text": [ "0: Other/Unrelated news, 1: Merger,\n", "2: Merger pending/in talks/to be approved or merger rejected/aborted/denied or\n", "Share Deal/Asset Deal/Acquisition or Merger as incidental remark/not main topic/not current\n", "___________________________________________________________________________________________________\n", "\n", "\n", "News article no. 2719:\n", "\n", "HEADLINE:\n", "2719 US STOCKS-Wall St rallies as earnings lead charge\n", "Name: Title, dtype: object\n", "\n", "TEXT:\n", "2719 * American Express boosts Dow after results* Investors eye first round of French election this Sunday* Dow up 0.98 pct, S&P 500 up 0.90 pct, Nasdaq up 1.02 pct (Updates to mid-afternoon, changes byline)By Chuck MikolajczakNEW YORK, April 20 U.S. stocks were higher in on Thursday, with the S&P 500 index on track for its best day in about seven weeks, as American Express set the tone for the latest batch of earnings.The credit card company was up 5.8 percent as the top boost to the Dow Industrials after reporting a smaller-than-expected drop in quarterly profit late Wednesday.CSX Corp, up 5.6 percent, was one of the best performers on the S&P 500 after the railroad company reported a better-than-expected quarterly net profit driven by rising freight volumes and said it plans to cut costs and boost profitability moving forward.\"They really are just focusing now on the micro, which they should be, on the earnings and what the earnings are saying,\" said Ken Polcari, Director of the NYSE floor division at ONeil Securities in New York.\"Investors are putting the geopolitical stuff to the back of the bus at the moment and they are really focusing on what they should be.\"Major indexes had scuffled in recent days, falling for two straight weeks to retreat from record levels as worries about President Donald Trump's ability to deliver on his pro-growth promises raised some concern about stretched stock valuations.Mounting tensions between North Korea and the United States and the looming French presidential elections also served to heighten investor caution.Of the 82 companies in the S&P 500 that have reported earnings through Thursday afternoon, about 75 percent have topped expectations, according to Thomson Reuters data, above the 71 percent average for the past four quarters.Overall, profits of S&P 500 companies are estimated to have risen 11.1 percent in the quarter, the best since 2011.The Dow Jones Industrial Average rose 200.94 points, or 0.98 percent, to 20,605.43, the S&P 500 gained 21.25 points, or 0.91 percent, to 2,359.42 and the Nasdaq Composite added 59.98 points, or 1.02 percent, to 5,923.01.Each of the three major indexes were on pace for their biggest daily percentage gain since March 1. The S&P 500 climbed back above its 50-day moving average, a level that had acted as resistance after the index fell below it last week.Recent polls showed centrist Emmanuel Macron hung on to his lead as favorite to win France's presidential election in a four-way race that is too close to call.Philip Morris fell 3.8 percent to $109.61 as the biggest drag to the benchmark S&P index after the tobacco maker's first-quarter profit forecast fell below estimates.Key companies scheduled to report results after the close on Thursday include Dow component Visa and toymaker Mattel .Advancing issues outnumbered declining ones on the NYSE by a 2.45-to-1 ratio; on Nasdaq, a 2.90-to-1 ratio favored advancers.The S&P 500 posted 37 new 52-week highs and 1 new lows; the Nasdaq Composite recorded 101 new highs and 28 new lows. (Reporting by Tanya Agrawal; Editing by Anil D'Silva and Chizu Nomiyama)\n", "Name: Text, dtype: object\n" ] }, { "data": { "application/vnd.jupyter.widget-view+json": { "model_id": "789044ece00a462bad009076eaad558d", "version_major": 2, "version_minor": 0 }, "text/plain": [ "interactive(children=(IntSlider(value=-1, description='x', max=2, min=-1), Output()), _dom_classes=('widget-in…" ] }, "metadata": {}, "output_type": "display_data" }, { "name": "stdout", "output_type": "stream", "text": [ "0: Other/Unrelated news, 1: Merger,\n", "2: Merger pending/in talks/to be approved or merger rejected/aborted/denied or\n", "Share Deal/Asset Deal/Acquisition or Merger as incidental remark/not main topic/not current\n", "___________________________________________________________________________________________________\n", "\n", "\n", "News article no. 2387:\n", "\n", "HEADLINE:\n", "2387 H&M first-quarter profit tops forecast, to launch new brand in second half\n", "Name: Title, dtype: object\n", "\n", "TEXT:\n", "2387 Business News - Thu Mar 30, 2017 - 7:19am BST H&M first-quarter profit tops forecast, to launch new brand in second half FILE PHOTO: People walk past the windows of an H&M store in Barcelona, Spain, December 30, 2016. REUTERS/Regis Duvignau/File Photo STOCKHOLM Swedish fashion retailer H&M ( HMb.ST ) reported on Thursday a smaller than expected fall in pretax profit for its fiscal first quarter and said it would launch a new separate brand in the second half of the year. Pretax profit in the December-February period fell to 3.21 billion crowns (291 million pounds) from a year-earlier 3.33 billion, against a mean forecast 2.87 billion seen in a Reuters poll of analysts. H&M said local-currency sales increased 7 percent year-on-year in the March 1-28 period. ($1 = 8.8786 Swedish crowns) (Reporting by Anna Ringstrom; editing by Niklas Pollard) Next In Business News\n", "Name: Text, dtype: object\n" ] }, { "data": { "application/vnd.jupyter.widget-view+json": { "model_id": "d3dfacda24cd4979b510ed8b1b910386", "version_major": 2, "version_minor": 0 }, "text/plain": [ "interactive(children=(IntSlider(value=-1, description='x', max=2, min=-1), Output()), _dom_classes=('widget-in…" ] }, "metadata": {}, "output_type": "display_data" }, { "name": "stdout", "output_type": "stream", "text": [ "0: Other/Unrelated news, 1: Merger,\n", "2: Merger pending/in talks/to be approved or merger rejected/aborted/denied or\n", "Share Deal/Asset Deal/Acquisition or Merger as incidental remark/not main topic/not current\n", "___________________________________________________________________________________________________\n", "\n", "\n", "News article no. 4322:\n", "\n", "HEADLINE:\n", "4322 EU to propose new powers over location of euro clearing - FT\n", "Name: Title, dtype: object\n", "\n", "TEXT:\n", "4322 Business News 7:01pm BST EU to propose new powers over location of euro clearing - FT FILE PHOTO: European Union (EU) flags fly in front of the European Central Bank (ECB) headquarters in Frankfurt, Germany, December 3, 2015. REUTERS/Ralph Orlowski/File Photo LONDON The European Union will present a draft law that gives itself powers to force euro-denominated clearing to shift from London to the bloc after Brexit, the Financial Times reported on Monday. The EU's European Commission will say on Tuesday that it wants a new system to vet whether, and under what conditions, non-EU clearing houses should be allowed to handle large volumes of euro-denominated business, the FT said, citing a document. A clearing house stands between two sides of a trade to ensure its smooth and safe completion. The bulk of clearing in euro-denominated derivatives is done in London, but euro zone policymakers have objected to this, saying that after Britain leaves the EU in 2019 they would have little say over an activity they see as core to euro zone stability. The draft law will need approval from EU states and the European Parliament. The draft legislation says the bloc's watchdog, the European Securities and Markets Authority, or ESMA, could agree with EU central banks that a particular clearing house is of \"substantial systemic significance\", the FT said. The Commission would then decide if the clearing house would need to relocate activities to the EU if it wants the regulatory approvals needed to operate in the EU single market. The draft law does not seek a specific cap on the amount of euro clearing that can take place outside the bloc, the FT said. Most euro-denominated clearing of derivatives is done by a unit of the London Stock Exchange ( LSE.L ), whose head said on Monday that relocation would have little financial impact as it has a clearing house in Paris that is fully authorised under EU rules. A global derivatives industry body warned on Monday that shifting clearing of euro-denominated derivatives from London to the European continent would require banks to set aside far more cash to insure trades against defaults, a cost that would be passed on to companies. (Reporting by Huw Jones, editing by Susan Fenton)\n", "Name: Text, dtype: object\n" ] }, { "data": { "application/vnd.jupyter.widget-view+json": { "model_id": "5a54a760ea4e42c6b9a1828bc2fae05f", "version_major": 2, "version_minor": 0 }, "text/plain": [ "interactive(children=(IntSlider(value=-1, description='x', max=2, min=-1), Output()), _dom_classes=('widget-in…" ] }, "metadata": {}, "output_type": "display_data" }, { "name": "stdout", "output_type": "stream", "text": [ "0: Other/Unrelated news, 1: Merger,\n", "2: Merger pending/in talks/to be approved or merger rejected/aborted/denied or\n", "Share Deal/Asset Deal/Acquisition or Merger as incidental remark/not main topic/not current\n", "___________________________________________________________________________________________________\n", "\n", "\n", "News article no. 1067:\n", "\n", "HEADLINE:\n", "1067 Sony rules out pictures biz sale, committed to turnaround - Reuters\n", "Name: Title, dtype: object\n", "\n", "TEXT:\n", "1067 TOKYO Sony Corp on Thursday said it does not plan to sell its pictures business after suffering a $1 billion writedown, and instead aims to turn it around by adding sales channels and making more use of movie characters.\"We believe in long-term upside potential for pictures,\" Chief Financial Officer Kenichiro Yoshida said at an earnings briefing, reiterating that Sony continues to regard the business as important to the group.The pictures writedown, brought about by a shrinking market for movies on disc, prompted Sony to cut 11 percent off the group's full-year operating profit outlook to 240 billion yen.The cut could have been more severe were it not for a weaker yen and Chinese smartphone makers' strong demand for Sony's image sensors - itself a business only just recovering from earthquake damage.Sony's semiconductor division, which makes the sensors, is now likely to lose only 19 billion yen on an operating basis this financial year, rather than the 53 billion yen previously forecast. Even so, fluctuation in the smartphone market means Sony has to maintain a cautious stance, Yoshida said.SHORT-TERM HURTThe pictures division, which also includes media networks and television programmes, underpinned Sony's earnings while its core consumer electronics business struggled against low-cost Asian rivals.Such was the profitability of pictures that activist shareholder Daniel Loeb urged Sony in 2013 to partially spin off the division so it could pump cash into reviving the electronics business.Sony did sell some pictures assets, and the electronics business has since returned to profit. Its movie studio, however, now trails rivals in box office share and hit films.Pictures' current struggle \"partly stems from Sony's focus on short-term profit over many years,\" Yoshida said.Citing the sale of rights to Spider-Man merchandise and a Latin American TV channel in fiscal 2011, a number of short-term measures at the cost of long-term profit and cash flow reduced pictures' profitability, he said.That business, which currently accounts for some 10 percent of Sony's overall sales, can recover through expansion in growing markets such as China as well as by bolstering sales of merchandise after films are released, Yoshida said.Chief Executive Officer Kazuo Hirai is currently taking on a larger role in pictures, notably at Sony Entertainment where he is seeking a successor to resigning CEO Michael Lynton.($1 = 112.5700 yen)(Reporting by Makiko Yamazaki; Editing by Christopher Cushing)\n", "Name: Text, dtype: object\n" ] }, { "data": { "application/vnd.jupyter.widget-view+json": { "model_id": "0eecf42364e94a45a2572d49a92e1013", "version_major": 2, "version_minor": 0 }, "text/plain": [ "interactive(children=(IntSlider(value=-1, description='x', max=2, min=-1), Output()), _dom_classes=('widget-in…" ] }, "metadata": {}, "output_type": "display_data" }, { "name": "stdout", "output_type": "stream", "text": [ "0: Other/Unrelated news, 1: Merger,\n", "2: Merger pending/in talks/to be approved or merger rejected/aborted/denied or\n", "Share Deal/Asset Deal/Acquisition or Merger as incidental remark/not main topic/not current\n", "___________________________________________________________________________________________________\n", "\n", "\n", "News article no. 5437:\n", "\n", "HEADLINE:\n", "5437 Muted inflation, wages keep Fed policymakers cautious\n", "Name: Title, dtype: object\n", "\n", "TEXT:\n", "5437 July 11, 2017 / 9:30 PM / 9 minutes ago Muted inflation, wages keep Fed policymakers cautious 3 Min Read The Federal Reserve building in Washington September 1, 2015. Kevin Lamarque (Reuters) - A day ahead of Federal Reserve Chair Janet Yellen's testimony to Congress on the state of the U.S. economy, two of her colleagues cited low wage growth and muted inflation as reasons for caution on further interest rate increases. In recent months U.S. inflation has moved further below the Fed's 2 percent target even as the labour market, as measured by a 4.4 percent unemployment rate, has strengthened. That disconnect has vexed policymakers, but Yellen has said the retreat in price pressures is likely temporary and signalled she is prepared to continue with rate hikes and a plan to start trimming the Fed's $4.5 trillion balance sheet later this year. The Fed raised rates last month to a range of 1 percent to 1.25 percent. Fed Governor Lael Brainard supported the June rate rise and on Tuesday embraced the plan to reduce the balance sheet \"soon,\" but suggested her support for any future rate increases will depend in part on how inflation shapes up. \"I will want to monitor inflation developments carefully, and to move cautiously on further increases in the federal funds rate, so as to help guide inflation back up around our symmetric target,\" Brainard said, adding that she believes rates may need to top out near 2 percent, which would give the Fed little room to raise them further. At a separate event on Tuesday, Minneapolis Federal Reserve Bank President Neel Kashkari said he finds it hard to believe that the U.S. economy is in danger of overheating when wage growth is so low. FILE PHOTO - Federal Reserve Board Governor Lael Brainard speaks at the John F. Kennedy School of Government at Harvard University in Cambridge, Massachusetts, U.S. on March 1, 2017. Brian Snyder/File Photo Government data on Friday showed wage growth of just 2.5 percent annually in June. \"I am looking for that wage growth as an indicator that, okay, maybe the economys overheating, maybe now we are going to start seeing inflation, maybe thats going to lead us to need to raise interest rates,\" Kashkari told the Minnesota Women's Economic Roundtable. Kashkari this year voted against each of the Fed's rate hikes. \"It cant be that bad to find workers because if you really were having to compete with other companies to find the scarce talent, we would see wages climbing, and we are not seeing wages climbing very quickly,\" he said. Kashkari said that when businesses tell him they cannot find skilled workers, he tells them to provide training and to pay more. \"The bottom line from my perspective is if there are good opportunities for your business, you will raise wages you will attract workers and you will grow your company,\" he said. The Fed's next policy meeting is on July 25-26. Reporting by Lindsay Dunsmuir and Richard Leong; Editing by Meredith Mazzilli 0 : 0\n", "Name: Text, dtype: object\n" ] }, { "data": { "application/vnd.jupyter.widget-view+json": { "model_id": "9b06812f2a7a4725879581f36c0a55a0", "version_major": 2, "version_minor": 0 }, "text/plain": [ "interactive(children=(IntSlider(value=-1, description='x', max=2, min=-1), Output()), _dom_classes=('widget-in…" ] }, "metadata": {}, "output_type": "display_data" }, { "name": "stdout", "output_type": "stream", "text": [ "0: Other/Unrelated news, 1: Merger,\n", "2: Merger pending/in talks/to be approved or merger rejected/aborted/denied or\n", "Share Deal/Asset Deal/Acquisition or Merger as incidental remark/not main topic/not current\n", "___________________________________________________________________________________________________\n", "\n", "\n", "News article no. 4937:\n", "\n", "HEADLINE:\n", "4937 Sycamore Partners close to deal to acquire Staples - sources\n", "Name: Title, dtype: object\n", "\n", "TEXT:\n", "4937 By Greg Roumeliotis and Lauren Hirsch Private equity firm Sycamore Partners is in advanced talks to acquire Staples Inc following an auction for the U.S. office supplies retailer, people familiar with the matter said on Wednesday, in a deal that could top $6 billion.The acquisition would come a year after a U.S. federal judge thwarted a merger between Staples and peer Office Depot Inc on antitrust grounds.It would represent a bet by Sycamore that Staples could more quickly shift its business model from serving consumers to catering to companies if it were to go private.Sycamore is in the process of finalizing a debt financing package for its bid for Staples after it prevailed over another private equity firm, Cerberus Capital Management, three sources said.An agreement could be announced as early as next week, though negotiations between Sycamore and Staples are continuing and there is still a possibility that deal discussions could fall apart, the sources added.The sources asked not to be identified because the negotiations are confidential. Framingham, Massachusetts-based Staples and New York-based Sycamore declined to comment. Cerberus, which is also based in New York, did not immediately respond to a request for comment.Staples, which made its name selling paper, pens and other supplies in retail stores, reported a smaller-than-expected fall in first-quarter comparable sales last month, while its profit met analyst estimates, helped by a growth in demand for facilities, breakroom supplies and technology solutions.Staples has 1,255 stores in the United States and 304 in Canada. It has the largest market share of office supply stores in the United States at 48 percent, and its share has increased since 2011, according to Euromonitor.Private-equity acquisitions of retailers have become increasingly rare, as the investment firms worry about increasing headwinds facing the industry and their portfolio companies struggle with the debt burden left behind from leveraged buyouts. Retail deals comprised the smallest share of mergers and acquisitions in the first quarter of the year, according to Thomson Reuters data.A number of private equity-backed retailers, from Sports Authority Inc to Payless ShoeSource Inc, have filed for bankruptcy in the last two years.Sycamore, however, specializes in retail investments and has been more bullish on the sector. Its previous investments include regional department store operator Belk Inc, discount general merchandise retailer Dollar Express and mall and web-based specialty retailer Hot Topic.(Reporting by Greg Roumeliotis and Lauren Hirsch in New York; Editing by Lisa Shumaker)\n", "Name: Text, dtype: object\n" ] }, { "data": { "application/vnd.jupyter.widget-view+json": { "model_id": "b2916d6f8d344376bef04ca8a2b98c7b", "version_major": 2, "version_minor": 0 }, "text/plain": [ "interactive(children=(IntSlider(value=-1, description='x', max=2, min=-1), Output()), _dom_classes=('widget-in…" ] }, "metadata": {}, "output_type": "display_data" }, { "name": "stdout", "output_type": "stream", "text": [ "0: Other/Unrelated news, 1: Merger,\n", "2: Merger pending/in talks/to be approved or merger rejected/aborted/denied or\n", "Share Deal/Asset Deal/Acquisition or Merger as incidental remark/not main topic/not current\n", "___________________________________________________________________________________________________\n", "\n", "\n", "News article no. 9881:\n", "\n", "HEADLINE:\n", "9881 An accounting scandal sends Steinhoff plummeting - Broken furniture\n", "Name: Title, dtype: object\n", "\n", "TEXT:\n", "9881 THE scale is staggering, even by the standards of scandal-worn South Africa. Steinhoff, a retailer that is one of the countrys best-known companies, admitted to accounting irregularities on December 6th when it was due to publish year-end financial statements. Its chief executive, Markus Jooste, resigned, and the firm announced an internal investigation by PwC. Within days Steinhoff had lost 10.7bn ($12.7bn) in market value as its share price fell by more than 80% (see chart). Much is unclear, but it is shaping up to be the biggest corporate scandal that South Africa has ever seen. The company has said it is reviewing the validity and recoverability of 6bn in non-South African assets.Steinhoff traces its roots to West Germany, where it found a niche sourcing cheap furniture from the communist-ruled east. The company merged with a South African firm in 1998 and is based in Stellenbosch, near Cape Towna Winelands town that is home to some of the wealthiest Afrikaner businessmen. It recently pursued a debt-fuelled expansion, buying furniture and homeware chains, from Conforama in France and Mattress Firm in America to Poundland in Britain, becoming Europes second-largest furniture retailer after IKEA. It has 130,000 employees at 12,000 outlets in over 30 countries. 43 minutes 7 7 Between June 2014 and September 2016 Steinhoff expanded its assets by 145% as its acquisition spree intensified. This splurge added to its financial complexity and might have helped it to hide bad news. A recent report by Viceroy Research, which hunts for stocks to sell short, or bet against, accuses Steinhoff of using off-balance-sheet vehicles to inflate profits and mask losses. Viceroys analysts concluded that these vehicles were controlled by associates and former executives of Steinhoff, and that they engaged in transactions with Steinhoff that the firm failed to disclose.They also allege that Steinhoff made loans to these entities, allowing it to book interest revenue that was never likely to be translated into cash. This, they argue, went hand in hand with round-tripping, in which large blocks of business were moved off the books and only the profitable bits were then brought back on. The firm has not commented in detail on the analysis, though it has denied impropriety.Steinhoffs biggest shareholder is Christo Wiese, one of South Africas richest men. One money manager wonders how Mr Wiese could have been unaware of accounting problems. But there are also questions over the level of due diligence performed by some large financial firms. Steinhoff was a top-15 stock by market value on the Johannesburg Stock Exchange (JSE); many fund managers had it in their portfolio. Investec, a bank, has warned that it could lose up to 3% of its annual post-tax profit, from trading in Steinhoff-linked derivatives. Deloitte, Steinhoffs auditor, is also under scrutiny over the scandal, although the audit regulatory body has said it may not have been in the wrong.The biggest damage could be suffered by South African pensioners. The Government Employees Pension Fund (GEPF), with more than 1m members, is one of Steinhoffs biggest shareholders, with a stake of around 10%. The GEPF said its stake in Steinhoff amounted to 1% of total assets, making the collapse in the share price significant but manageable.The South African parliaments public-accounts committee is less phlegmatic: it has called for Steinhoff to be investigated by an elite police unit called the Hawks. The JSE and South Africas corporate and financial regulators have all said they will investigate whether Steinhoff breached regulations. German investigators, meanwhile, have been looking at the companys accounting practices since shortly before its listing in Frankfurt in December 2015.Steinhoffs share price has recovered slightly, but is expected to be volatile until more is known about the firms liquidity position and the nature of the accounting irregularities. Steinhoff has appointed Moelis & Company, an investment bank, to advise on talks with lenders, and AlixPartners, a consultancy, to help with liquidity management and operational measures. An annual meeting with lenders in London has been postponed to December 19th. Were all in the dark, says David Shapiro of Sasfin Securities. Speculating whether there is value or nottheres no point, its too early.This article appeared in the Business section of the print edition under the headline \"Broken furniture\"\n", "Name: Text, dtype: object\n" ] }, { "data": { "application/vnd.jupyter.widget-view+json": { "model_id": "264d90f5626f46778074a0e7a5fcddf2", "version_major": 2, "version_minor": 0 }, "text/plain": [ "interactive(children=(IntSlider(value=-1, description='x', max=2, min=-1), Output()), _dom_classes=('widget-in…" ] }, "metadata": {}, "output_type": "display_data" }, { "name": "stdout", "output_type": "stream", "text": [ "0: Other/Unrelated news, 1: Merger,\n", "2: Merger pending/in talks/to be approved or merger rejected/aborted/denied or\n", "Share Deal/Asset Deal/Acquisition or Merger as incidental remark/not main topic/not current\n", "___________________________________________________________________________________________________\n", "\n", "\n", "News article no. 9603:\n", "\n", "HEADLINE:\n", "9603 An investor's best friend: China's booming pet market sparks deals\n", "Name: Title, dtype: object\n", "\n", "TEXT:\n", "9603 December 24, 2017 / 12:05 AM / Updated 13 hours ago An investor's best friend: China's booming pet market sparks deals Anita Li , Adam Jourdan 7 Min Read PINGYANG, China/SHANGHAI (Reuters) - Li Mingjie is a pet industry investors dream. The 23-year-old e-commerce worker spares little expense to make his pooch happy. Ill happily splash out on my dog, Li told Reuters as he walked his brown poodle Coco in Pingyang, a town on Chinas east coast. She is like a child to me. He is far from alone in China these days. The growth in the middle class, a massive move to urbanization and other demographic changes - such as growing numbers of elderly, and people getting married and having children later than before - have been turning this into not just a pet-owning society but also one that is prepared to lavish money on them. Chinese shoppers are set to spend 46.3 billion yuan ($7 billion) on their pets by 2022, up from 17.5 billion yuan this year as the market grows at around an annual 20 percent, according to estimates from Euromonitor. The U.S. market may be much bigger with an estimated $44.4 billion in sales this year but it is only growing around 2 percent a year. The surge in Chinese demand is not only great news for global pet food behemoths such as Mars Inc and Nestle SA ( NESN.S ), but also rapidly growing Chinese pet food and product companies, as well as entrepreneurs setting up everything from dog salons for grooming to fancy pet hotels. It is an amazing shift in a country where owning pets was once banned for being too much of a bourgeois pursuit under revolutionary leader Mao Zedong, and where - despite protests - there is still an annual dog-meat festival in the southern Chinese town of Yulin. There is huge growth potential in the Chinese market, said Liu Yonghao, the chairman of Chinese company New Hope Group [NWHOP.UL] at a recent event in Beijing, noting that younger people especially were developing closer bonds with their pets. They are willing to spend lots of money on the pets because they have become like part of the family, he said. New Hope joined a consortium, including Singapores state-owned fund Temasek and private equity firm Hosen Capital that just closed a $1 billion deal to acquire Australian pet food maker Real Pet Food Co, with the aim of bringing the firms brands to China. The growing popularity of pets is turning China into a magnet for local and global firms. Thomas Kwan, chief investment officer of Hong Kong-based fund manager Harvest Global, said Chinas pet market would be one of his personal picks for 2018 as consumers looked to shift up to premium products. The questions pet owners are asking now: Can you buy them healthy foods? Can you give them a good lifestyle? he said. BONE-SHAPED CENTER Pingyang, where Li lives with his poodle, has big ambitions in Chinas pet economy. The county, which is near the wealthy city of Wenzhou and has a population of almost one million, is among a slew of places responding to Beijings call to create 1,000 specialty towns by 2020 in industries from cloud computing to chocolate. In Pingyangs case the theme is pets. Slideshow (16 Images) It has a dog bone-shaped visitor center and pet factories, while locals said there were plans for pet-themed hotels and a retail hub. On a recent visit, though, it was clear the concept has a way to go. The visitor center was shut and locals admitted the pet town had yet to fully catch on. Nationally though, there is no doubt that the pet economy is thriving helped by demographic shifts. Chinese society is aging, were experiencing declining birth rates, we have empty nesters and the youngsters from those empty nests, said Zhang Tianli, co-founder of Hosen Capital, adding pets were helping people find spiritual sustenance. The pet products boom has stoked imports and boosted local business. Among the Chinese companies that are now challenging the global giants, in China at least, are Shanghai Bridge Petcare, Sunsun Group and Navarch. Yantai China Pet Foods ( 002891.SZ ) has seen its stock climb close to 60 percent since it listed in Shenzhen in August. Smaller entrepreneurs abound too. They include DogWhere.com, which offers pet holidays and runs a boutique pet hotel in Beijing with all sorts of amenities for the pets - including a swimming pool, pet-sized bedrooms and a cinema. Owners can spend thousands of dollars per stay. We once looked after a dog in our hotel for 47 nights, at a total costs of 17,000 yuan ($2,585), said the platforms marketing manager Wang Chao. Xiao Xudong in Beijing runs a popular grooming service for Westies - West Highland White Terriers - and says his increasingly youthful clientele fly in from regions as remote as far-western Xinjiang and the southwestern Yunnan province. Young people hold a different consumption view to the older generations, said Xiao, 45. They think a lot about how their pets are groomed and are willing to splash out on them. PET BATHING Despite the growth, Chinese pet ownership is still just getting started. Some pets are mistreated and there is a lack of know-how about vaccinations and sterilization. Strict rules about pet food imports also stoke a gray market trade. Earlier this month, police arrested gang members who were selling poisoned darts used to kill dogs that were then sold to restaurants, the official Xinhua news reported, opening the debate once more about the practice of eating dog meat. Back in Pingyangs state-sanctioned pet town, the owner of one pet shop said the shift towards pet ownership was nonetheless stark. Ten years ago this place was basically farmland and people were eating dogs, now they dont eat them as much and have started to see them as pets, he said. In the shop, Wang Jing, 26, was getting her two dogs - Can Can and Niu Niu - their regular bath. She said she spent around 2,000 yuan a month on them, mostly on food, but that it was all worth it when she arrived home each day. Otherwise when you come back theres nobody there, she said. But if you have a dog then it jumps on you happily as soon as you open the door. Reporting by Anita Li in PINGYANG, Hallie Gu in BEIJING and Adam Jourdan in SHANGHAI; Additional reporting by SHANGHAI newsroom, Lusha Zhang and Shu Zhang in BEIJING; Writing by Adam Jourdan; Edited by Martin Howell\n", "Name: Text, dtype: object\n" ] }, { "data": { "application/vnd.jupyter.widget-view+json": { "model_id": "2a0fd4ab0a5f4118a3c39f88814b6b74", "version_major": 2, "version_minor": 0 }, "text/plain": [ "interactive(children=(IntSlider(value=-1, description='x', max=2, min=-1), Output()), _dom_classes=('widget-in…" ] }, "metadata": {}, "output_type": "display_data" }, { "name": "stdout", "output_type": "stream", "text": [ "0: Other/Unrelated news, 1: Merger,\n", "2: Merger pending/in talks/to be approved or merger rejected/aborted/denied or\n", "Share Deal/Asset Deal/Acquisition or Merger as incidental remark/not main topic/not current\n", "___________________________________________________________________________________________________\n", "\n", "\n", "News article no. 55:\n", "\n", "HEADLINE:\n", "55 Amazon's Alexa moves in on Google's Android system\n", "Name: Title, dtype: object\n", "\n", "TEXT:\n", "55 Money News - Sat Jan 7, 2017 - 5:35am IST Amazon's Alexa moves in on Google's Android system Mike George, VP Alexa, Echo and Appstore for Amazon, speaks during the LG press conference at CES in Las Vegas, U.S., January 4, 2017. REUTERS/Rick Wilking By Julia Love Amazon.com Incs ( AMZN.O ) digital assistant appeared almost everywhere at the CES technology show this week in Las Vegas, even making an unexpected appearance on rival Googles Android system. Companies ranging from appliance maker Whirlpool Corp ( WHR.N ) to Ford Motor Co ( F.N ) unveiled products featuring Alexa, the digital assistant from Amazon that responds to voice commands. Most strikingly, Chinese firm Huawei Technologies Co [HWT.UL], which manufactures smartphones running on the Android operating system produced by Alphabet Inc's ( GOOGL.O ) Google, announced that its flagship handset will come with an app that gives users access to Alexa in the United States. The adoption of Alexa by a prominent Android manufacturer indicates that Amazon may have opened up an early lead over Google as the companies race to present their digital assistants to as many people as possible, analysts said. Many in the technology industry believe that such voice-powered digital assistants will supplant keyboards and touch screens as a primary way consumers interact with devices. While the shift is only in the early stages, Google must establish a strong presence quickly, particularly on Android devices, to maintain its dominance in internet search, said analyst Jan Dawson of Jackdaw Research. To the extent that voice becomes more important and something other than Googles voice assistant becomes the most popular voice interface on Android phones, thats a huge loss for Google in terms of data gathering, training its AI (artificial intelligence), and ultimately the ability to drive advertising revenue, he said. Alexa debuted on the Amazon Echo smart speaker, and Amazon is establishing a broad array of hardware and software partnerships around it. The competing Google Assistant launched last year on the companys Pixel smartphone, after appearing on Google's messaging app, and has begun to roll out to third-party devices as well. Graphics processor maker Nvidia Corp ( NVDA.O ) announced at CES that its Shield television will feature the assistant. While Google has expressed an interest in bringing its assistant to other Android smartphones, the decision to debut the feature on its own hardware may have strained relations with manufacturers, Dawson said. It highlights just what a strategic mistake it can be for services companies to make their own hardware and give it preferential access to new services, he said. A spokeswoman for Google declined to comment. While Amazon has a head start, Google is no by no means out of the race, given the strength of its internet search technology. The Google Assistant can already field queries that Alexa cannot, said Sergei Burkov, chief executive of Alterra.ai, an artificial intelligence company. A huge part of an assistant is search, he said. Google is a search company. Amazon is not. (Reporting by Julia Love in Las Vegas; Editing by Bill Rigby) Next In Money News\n", "Name: Text, dtype: object\n" ] }, { "data": { "application/vnd.jupyter.widget-view+json": { "model_id": "84207f81a527482ead0a1e4bf077f9dd", "version_major": 2, "version_minor": 0 }, "text/plain": [ "interactive(children=(IntSlider(value=-1, description='x', max=2, min=-1), Output()), _dom_classes=('widget-in…" ] }, "metadata": {}, "output_type": "display_data" }, { "name": "stdout", "output_type": "stream", "text": [ "0: Other/Unrelated news, 1: Merger,\n", "2: Merger pending/in talks/to be approved or merger rejected/aborted/denied or\n", "Share Deal/Asset Deal/Acquisition or Merger as incidental remark/not main topic/not current\n", "___________________________________________________________________________________________________\n", "\n", "\n", "News article no. 9764:\n", "\n", "HEADLINE:\n", "9764 Defiant O'Leary says union recognition sets stage for Ryanair expansion\n", "Name: Title, dtype: object\n", "\n", "TEXT:\n", "9764 December 19, 2017 / 3:59 PM / Updated 5 minutes ago Defiant O'Leary says union recognition sets stage for Ryanair expansion Conor Humphries 5 Min Read DUBLIN (Reuters) - Ryanair Chief Executive Michael OLeary broke months of media silence on Tuesday to defend his decision to recognise unions for the first time in 32 years, saying it would allow his airline to expand and help to keep staff costs down. Ryanair CEO Michael O'Leary arrives at the Ryanair AGM in Dublin, Ireland September 21, 2017. REUTERS/Clodagh Kilcoyne/File Photo In his first interview since Fridays surprise decision to accept unionisation to stave off a string of Christmas strikes, OLeary said the move was his idea and that he would not step down. His action knocked more than 10 percent off the companys shares. But he also warned unions that he would not be a soft-touch and if they put forward unreasonable demands he would simply shift planes and jobs to other jurisdictions. This is not a ruse. This is serious, OLeary said of the decision, which he said was in many respects my idea and which he ran past the companys board of directors on Thursday night. But if someone is being unreasonable and we are being completely messed around by a union, we will still move aircraft away from that base or country, he said in the interview in his Dublin office, flanked by his chief operations officer Peter Bellew and chief people officer Eddie Wilson, who are leading talks with unions. He rejected media speculation that he may step aside to make way for Bellew, who left his position as chief executive of Malaysia Airlines last month and has been the face of the company in recent days. Am I going to leave? No. I am going to stay, said OLeary, in his first media interview since a Sept. 21 annual general meeting when he infuriated pilots by saying they did not have a difficult job. OLeary said union recognition would open new opportunities for Ryanair, allowing it to work in heavily unionised countries like France and Denmark. The airline could move 50 planes to France - one eighth of its current 400-plane fleet - he said, although he said the speed of such a deployment would depend on the availability of planes and deals with airports. Ryanair will still meet its target of flying 200 million passengers per year by 2024, up from just under 130 million this year, he said. OLeary said the decision to recognise unions would not impact on the companys annual profit forecast and that he did not expect staff costs to increase beyond the extra 100 million euros announced following the cancellation of 20,000 flights in September. FILE PHOTO - Ryanair commercial passenger jet lands in Colomiers near Toulouse, France, October 19, 2017. REUTERS/Regis Duvignau We have already admitted there will be an uptick in labour costs next year. But will it alter our model? No, he said. We will still have much lower aircraft costs, much lower financing costs, much lower airport deals. That will all remain unchanged. In the longer term, the rate of growth of staff costs could actually decrease as he said pilots prefer to work in unionised airlines, he said. OLeary said the decision to recognise unions was not a result of management weakness or pilot strength but the fact that the airline was facing the prospect of compensating 150,000 passengers in Christmas week and possibly more after that. If you need to go on strike just to test our mettle, then go ahead, OLeary said. But not in Christmas week. And not one that disrupts all our customers across Europe. Union recognition was always going to happen when we moved into France. We have just moved that forward, he said. Bellew and Wilson are due to meet with the Irish pilots union for the first time on Tuesday evening. OLeary declined to comment on what Ryanair would concede. Ryanair, he said, would go in with a can do attitude. Ryanair shares closed up 2.3 percent on Tuesday at 14.95 euros, but well below the Friday opening of 17.6 euros as investors have fretted that union recognition could potentially damage the carriers low-cost business model. Rory Powe, fund manager at Man GLG, a top 20 shareholder in Ryanair, said some investors agreed with OLearys reading of the situation. I dont see Ryanairs cost advantage being eroded by anything more than an immaterial amount, he said. He has adapted and will continue to stay. ($1 = 0.8466 euros) Additional reporting by Victoria Bryan and Maiya Keidan; Editing by Mark Potter, Susan Fenton and Jane Merriman\n", "Name: Text, dtype: object\n" ] }, { "data": { "application/vnd.jupyter.widget-view+json": { "model_id": "7661fb7d42284e81ac192abd9096497b", "version_major": 2, "version_minor": 0 }, "text/plain": [ "interactive(children=(IntSlider(value=-1, description='x', max=2, min=-1), Output()), _dom_classes=('widget-in…" ] }, "metadata": {}, "output_type": "display_data" }, { "name": "stdout", "output_type": "stream", "text": [ "0: Other/Unrelated news, 1: Merger,\n", "2: Merger pending/in talks/to be approved or merger rejected/aborted/denied or\n", "Share Deal/Asset Deal/Acquisition or Merger as incidental remark/not main topic/not current\n", "___________________________________________________________________________________________________\n", "\n", "\n", "News article no. 5536:\n", "\n", "HEADLINE:\n", "5536 Ecuador says clinches new payment deal with Schlumberger\n", "Name: Title, dtype: object\n", "\n", "TEXT:\n", "5536 July 28, 2017 / 12:15 AM / 18 hours ago Ecuador says clinches new payment deal with Schlumberger Alexandra Valencia 1 Min Read QUITO (Reuters) - Ecuador said on Thursday it had successfully negotiated a payment plan with Schlumberger, although it did not specify if the deal included reimbursement for roughly $850 million owed to the oil service company. Ecuador's economy has struggled since the 2014 collapse of oil prices and a devastating earthquake last year that killed some 670 people and cost an estimated $3 billion. The smallest member of OPEC has built up debts for oilfield services that Schlumberger has described as causing \"considerable financial stress.\" Schlumberger did not immediately respond to a request for comment. Ecuador said it had reached a deal to index contracts to international crude prices to better reflect market conditions and spur investments. \"As part of the renegotiation, new investments from the contractor for $1.008 billion were also agreed on,\" the Hydrocarbons Ministry said in a statement. Ecuador said it had also reached a deal with Argentina's Tecpetrol. Reporting by Alexandra Valencia; Writing by Alexandra Ulmer 0 : 0 \n", "Name: Text, dtype: object\n" ] }, { "data": { "application/vnd.jupyter.widget-view+json": { "model_id": "cd7327b74c1a4dbea5ce0c4d9fa37c88", "version_major": 2, "version_minor": 0 }, "text/plain": [ "interactive(children=(IntSlider(value=-1, description='x', max=2, min=-1), Output()), _dom_classes=('widget-in…" ] }, "metadata": {}, "output_type": "display_data" }, { "name": "stdout", "output_type": "stream", "text": [ "0: Other/Unrelated news, 1: Merger,\n", "2: Merger pending/in talks/to be approved or merger rejected/aborted/denied or\n", "Share Deal/Asset Deal/Acquisition or Merger as incidental remark/not main topic/not current\n", "___________________________________________________________________________________________________\n", "\n", "\n", "News article no. 1081:\n", "\n", "HEADLINE:\n", "1081 Virgin Australia defers Boeing deliveries after profits drop\n", "Name: Title, dtype: object\n", "\n", "TEXT:\n", "1081 Business News - Fri Feb 17, 2017 - 2:54am GMT Virgin Australia defers Boeing deliveries after profits drop By Jamie Freed - SYDNEY SYDNEY Virgin Australia Holdings Ltd ( VAH.AX ) on Friday said it would defer the delivery of new Boeing Co ( BA.N ) 737 MAX aircraft for at least a year as it continues to battle against tough demand conditions in the domestic aviation market. Virgin Chief Executive John Borghetti said the capital cost of buying the new aircraft for Australia's second-largest airline \"far outweighs\" savings on offer from operating more fuel-efficient planes given the oil price was relatively low. \"The fuel business case isn't as good as it was,\" he told Reuters in a phone interview after the airline reported a 48 percent fall in first-half underlying pre-tax earnings to A$42.3 million ($32.56 million). \"On balance we can push these back.\" Borghetti declined to say how many 737 MAX deliveries would be affected, but a person with knowledge of the situation told Reuters it was between five and 10 aircraft. Borghetti did not rule out a further deferral, depending on market conditions. Virgin is the latest customer of the U.S. based aircraft manufacturer to defer deliveries at a time when orders for Boeing and rival Airbus Group SE ( AIR.PA ) have slowed globally due to weakening economies and relatively low oil prices. Australia's domestic aviation market, dominated by Virgin and its larger rival Qantas Airways Ltd ( QAN.AX ), has been subdued for the past year due to weak demand for flying from corporate customers, including mining companies, as well as government travelers. Virgin said domestic yields, a proxy for average fare prices, had fallen by 5.6 percent in the first half of the financial year, although Borghetti said booking trends had improved in the last few weeks in a positive sign. \"I would like to think it would improve in the second half of this calendar year but who knows?\" Borghetti said of the outlook. \"At some point you have got to believe the market has got to come back.\" Virgin on Friday separately said it planned to launch flights between Australia and Hong Kong in the middle of this year as part of a proposed alliance with shareholder HNA Aviation and affiliated carriers Hong Kong Airlines and Hong Kong Express. Borghetti declined to disclose the departure city for the flight, which could compete against non-stop flights to Hong Kong flown by Qantas and Cathay Pacific Airways Ltd ( 0293.HK ). He said Virgin also planned to fly to Beijing and Shanghai in the future, but that would depend on the availability of airport slots. (Reporting by Jamie Freed; Editing by Louise Ireland and Lisa Shumaker) Next In Business News Facebook CEO warns against reversal of global thinking SAN FRANCISCO Facebook Inc Chief Executive Mark Zuckerberg laid out a vision on Thursday of his company serving as a bulwark against rising isolationism, writing in a letter to users that the company's platform could be the \"social infrastructure\" for the globe.\n", "Name: Text, dtype: object\n" ] }, { "data": { "application/vnd.jupyter.widget-view+json": { "model_id": "64ed8a0678914f478b60b92cbd1e95e7", "version_major": 2, "version_minor": 0 }, "text/plain": [ "interactive(children=(IntSlider(value=-1, description='x', max=2, min=-1), Output()), _dom_classes=('widget-in…" ] }, "metadata": {}, "output_type": "display_data" }, { "name": "stdout", "output_type": "stream", "text": [ "0: Other/Unrelated news, 1: Merger,\n", "2: Merger pending/in talks/to be approved or merger rejected/aborted/denied or\n", "Share Deal/Asset Deal/Acquisition or Merger as incidental remark/not main topic/not current\n", "___________________________________________________________________________________________________\n", "\n", "\n", "News article no. 5078:\n", "\n", "HEADLINE:\n", "5078 MIDEAST STOCKS-Region mixed; Dubai tests chart barrier, poor earnings hit Oman\n", "Name: Title, dtype: object\n", "\n", "TEXT:\n", "5078 July 16, 2017 / 2:25 PM / 4 hours ago MIDEAST STOCKS-Region mixed; Dubai tests chart barrier, poor earnings hit Oman 3 Min Read * Dubai index closes on April peak * Abu Dhabi's Ajman Bank rises after Q2 earnings * Qatar National Bank pulls back after last week's surge * Foreigners' buying and selling almost balanced in Qatar * Omantel, Bank Dhofar among Omani losers after earnings By Andrew Torchia DUBAI, July 16 (Reuters) - Stock markets in the Gulf were mixed on Sunday with the global uptrend in equities pushing Dubai's index up to test technical resistance but weak corporate earnings hurting Oman. The Dubai index gained 1.0 percent in modest trading volume to close on its April peak of 3,573 points. Eight of the 10 most heavily traded stocks rose, with the most active, Union Properties, edging up 0.3 percent. Abu Dhabi added 0.2 percent as Ajman Bank gained 2.6 percent despite reporting a moderate fall in second-quarter net profit. Its operating income actually rose slightly. The Saudi index climbed 0.5 percent in a broad-based rally. Banque Saudi Fransi added 1.4 percent and a few second- and third-tier stocks surged in unusually heavy trade; Saudi Printing and Packaging soared 8.5 percent. Qatar's index fell 1.3 percent with Qatar National Bank, the biggest lender, falling by the same margin. The bank had surged 4.2 percent on Thursday after it reported a 3.6 percent increase in its second-quarter profits earlier in the week. Exchange data showed foreign investors' buying and selling of Qatari stocks roughly balanced on Sunday while non-Qatari Gulf investors were almost inactive, though they were sellers on a net basis. Some Gulf funds fear sanctions imposed by neighbouring Arab states could eventually force them to pull out of the country entirely. Oman dropped 1.1 percent as a string of weak earnings showed the strain that low oil prices and government austerity measures have placed on the economy. Raysut Cement slipped 0.8 percent after reporting that first-half net profit shrank by nearly two-thirds from a year earlier, with turnover also dropping. Oman Telecommunications sank 3.3 percent after reporting a 39 percent fall in first-half profit, with revenue stagnant. Bank Dhofar lost 3.2 percent after first-half consolidated net profit shrank 13 percent, and National Gas plunged 8.0 percent in very thin trade after it said first-half profit more than halved. Highlights * The index gained 0.5 percent to 7,349 points. Dubai * The index rose 1.0 percent to 3,573 points. Abu Dhabi * The index edged up 0.1 percent to 4,524 points. Qatar * The index dropped 1.3 percent to 9,344 points. Egypt * The index edged down 0.05 percent to 13,816 points. Kuwait * The index rose 0.3 percent to 6,809 points. Bahrain * The index fell 0.3 percent to 1,314 points. Oman * The index dropped 1.1 percent to 5,064 points. (Reporting by Andrew Torchia; editing by Susan Thomas) 0 : 0\n", "Name: Text, dtype: object\n" ] }, { "data": { "application/vnd.jupyter.widget-view+json": { "model_id": "04c6982795d345ada97f9244c294fd57", "version_major": 2, "version_minor": 0 }, "text/plain": [ "interactive(children=(IntSlider(value=-1, description='x', max=2, min=-1), Output()), _dom_classes=('widget-in…" ] }, "metadata": {}, "output_type": "display_data" }, { "name": "stdout", "output_type": "stream", "text": [ "0: Other/Unrelated news, 1: Merger,\n", "2: Merger pending/in talks/to be approved or merger rejected/aborted/denied or\n", "Share Deal/Asset Deal/Acquisition or Merger as incidental remark/not main topic/not current\n", "___________________________________________________________________________________________________\n", "\n", "\n", "News article no. 5822:\n", "\n", "HEADLINE:\n", "5822 METALS-Copper steady after overnight exit on supply signs\n", "Name: Title, dtype: object\n", "\n", "TEXT:\n", "5822 SYDNEY, July 11 Copper held largely steady in Asia on Tuesday amid modest support from investors after losing ground overnight on fresh signs of oversupply.\"We are seeing little of the selling that occurred in London (on Monday),\" a commodities trader in Perth said. \"Steady, with a slant to the downside is the way I would phrase it.\"Stocks in LME warehouses rose by 4,900 tonnes to 319,975 on Monday and have ballooned 32 percent since June 28, showing supplies are adequate.FUNDAMENTALS* Three-month copper on the London Metal Exchange stood $1 lower at $5,823 a tonne by 0100 GMT, extending losses from the previous session.* The most-traded copper contract on the Shanghai Futures Exchange was down 0.09 percent to 46,820 yuan ($6,882.66) a tonne.* COPPER STRIKE: Workers at the Zaldivar copper mine in Chile, owned by Antofagasta and Barrick Gold Corp , voted to approve a strike on Monday after talks with the company failed.* NORSK HYDRO: Norwegian metals firm Norsk Hydro will take full ownership of aluminium products maker Sapa by buying a 50 percent stake from conglomerate Orkla* Steel related LME base metals nickel and zinc were each down about 0.03 percent, despite a China steel futures trading higher.* For the top stories in metals and other news, click orMARKETS NEWS* Asian shares and the dollar cautiously edged higher on Tuesday, as investors awaited testimony from Federal Reserve Chair Janet Yellen for clues on when the central bank would tighten U.S. monetary policy.DATA AHEAD (GMT)1000 U.S. Small business confidence index Jun1255 U.S. Job openings (JOLTS) May1400 U.S. Wholesale inventories MayPRICESThree month LME copperMost active ShFE copperThree month LME aluminiumMost active ShFE aluminiumThree month LME zincMost active ShFE zincThree month LME leadMost active ShFE leadThree month LME nickelMost active ShFE nickelThree month LME tinMost active ShFE tinARBS ($1 = 6.8026 Chinese yuan)(Reporting by James Regan; Editing by Amrutha Gayathri)\n", "Name: Text, dtype: object\n" ] }, { "data": { "application/vnd.jupyter.widget-view+json": { "model_id": "236d07cbc1604b34b9c2aa72138c0b22", "version_major": 2, "version_minor": 0 }, "text/plain": [ "interactive(children=(IntSlider(value=-1, description='x', max=2, min=-1), Output()), _dom_classes=('widget-in…" ] }, "metadata": {}, "output_type": "display_data" }, { "name": "stdout", "output_type": "stream", "text": [ "0: Other/Unrelated news, 1: Merger,\n", "2: Merger pending/in talks/to be approved or merger rejected/aborted/denied or\n", "Share Deal/Asset Deal/Acquisition or Merger as incidental remark/not main topic/not current\n", "___________________________________________________________________________________________________\n", "\n", "\n", "News article no. 5014:\n", "\n", "HEADLINE:\n", "5014 PRESS DIGEST- New York Times business news - July 28\n", "Name: Title, dtype: object\n", "\n", "TEXT:\n", "5014 July 28, 2017 / 5:18 AM / 7 minutes ago PRESS DIGEST- New York Times business news - July 28 2 Min Read July 28 (Reuters) - The following are the top stories on the New York Times business pages. Reuters has not verified these stories and does not vouch for their accuracy. - Meg Whitman, chief executive of Hewlett Packard Enterprise , said she would not become the next chief of Uber , amid a flurry of reports about who might assume leadership of the troubled ride-hailing company. nyti.ms/2h7G3sT - More than 800,000 people who took out car loans from Wells Fargo were charged for auto insurance they did not need, and some of them are still paying for it, according to an internal report prepared for the bank's executives. nyti.ms/2tIdyUE - Rocket maker SpaceX founded by billionaire Elon Musk, has raised up to $350 million in new financing and is now valued at around $21 billion, making it one of the most valuable privately held companies in the world. nyti.ms/2uHLVwd - Discovery Communications is in advanced talks to buy Scripps Networks Interactive now that Viacom is out of the competition. Discovery is closing in on a bid of around $90 per share, or about 34 percent higher than where Scripps's stock was trading before reports about a potential sale emerged. (Compiled by Bengaluru newsroom) 0 : 0\n", "Name: Text, dtype: object\n" ] }, { "data": { "application/vnd.jupyter.widget-view+json": { "model_id": "ae0bc438ab094db9b2ce03fb3f29ab29", "version_major": 2, "version_minor": 0 }, "text/plain": [ "interactive(children=(IntSlider(value=-1, description='x', max=2, min=-1), Output()), _dom_classes=('widget-in…" ] }, "metadata": {}, "output_type": "display_data" }, { "name": "stdout", "output_type": "stream", "text": [ "0: Other/Unrelated news, 1: Merger,\n", "2: Merger pending/in talks/to be approved or merger rejected/aborted/denied or\n", "Share Deal/Asset Deal/Acquisition or Merger as incidental remark/not main topic/not current\n", "___________________________________________________________________________________________________\n", "\n", "\n", "News article no. 7876:\n", "\n", "HEADLINE:\n", "7876 Exclusive - OPEC's head says Saudi, Russia statements 'clear fog' before November 30 meeting\n", "Name: Title, dtype: object\n", "\n", "TEXT:\n", "7876 Reuters TV United States October 27, 2017 / 2:38 PM / in a minute Exclusive: OPEC's head says Saudi, Russia statements 'clear fog' before November 30 meeting Alex Lawler 3 Min Read LONDON (Reuters) - The fog has been cleared ahead of OPECs next policy meeting by Saudi Arabia and Russia declaring their support for extending a global deal to cut oil supplies for another nine months, OPECs secretary general told Reuters on Friday. FILE PHOTO: OPEC Secretary General Mohammad Barkindo attends a meeting of the 4th OPEC-Non-OPEC Ministerial Monitoring Committee in St. Petersburg, Russia July 24, 2017. REUTERS/Anton Vaganov The Organization of the Petroleum Exporting Countries, plus Russia and nine other producers, have cut output by about 1.8 million barrels per day (bpd) to get rid of a supply glut. The pact runs to March 2018 and they are considering extending it. Saudi Arabias Crown Prince Mohammad bin Salman said this week he was in favor of extending the term of the agreement for nine months, following on from similar remarks by Russian made by President Vladimir Putin on Oct 4. OPEC welcomes the clear guidance from the crown prince of Saudi Arabia on the need to achieve stable oil markets and sustain it beyond the first quarter of 2018, OPECs Mohammad Barkindo told Reuters on the sidelines of a conference. Together with the statement expressed by President Putin this clears the fog on the way to Vienna on Nov. 30. Its always good to have this high-level feedback and guidance, Barkindo added, when asked if the crown princes comments suggested a nine-month extension of the pact looked more likely. Reuters reported on Oct. 18, citing OPEC sources, that producers were leaning towards extending the deal for nine months, though the decision could be postponed until early next year depending on the market. Discussions are continuing in the run-up to the Nov. 30 meeting, which oil ministers from OPEC and the participating non-OPEC countries will attend. The deal has supported the oil price, which on Friday reached $59.91 a barrel, the highest level since July 2015, but a backlog of stored oil has yet to be run down and prices are still at half the level of mid-2014. The supply pact is aimed at reducing oil stocks in OECD industrialized countries to their five-year average, and the latest figures suggest producers are just over half way there. Stock levels in September stood at about 160 million barrels above that average, according to OPEC data, down from Januarys 340 million barrels above the five-year average. Editing by Dmitry Zhdannikov, Greg Mahlich\n", "Name: Text, dtype: object\n" ] }, { "data": { "application/vnd.jupyter.widget-view+json": { "model_id": "32875c7aad0b4b2aa8b905e39d1fd597", "version_major": 2, "version_minor": 0 }, "text/plain": [ "interactive(children=(IntSlider(value=-1, description='x', max=2, min=-1), Output()), _dom_classes=('widget-in…" ] }, "metadata": {}, "output_type": "display_data" }, { "name": "stdout", "output_type": "stream", "text": [ "0: Other/Unrelated news, 1: Merger,\n", "2: Merger pending/in talks/to be approved or merger rejected/aborted/denied or\n", "Share Deal/Asset Deal/Acquisition or Merger as incidental remark/not main topic/not current\n", "___________________________________________________________________________________________________\n", "\n", "\n", "News article no. 5173:\n", "\n", "HEADLINE:\n", "5173 MIDEAST STOCKS-Poor Q2 results dampen Saudi, bluechips buoy Dubai\n", "Name: Title, dtype: object\n", "\n", "TEXT:\n", "5173 July 31, 2017 / 8:00 AM / in 2 hours MIDEAST STOCKS-Poor Q2 results dampen Saudi, bluechips buoy Dubai 2 Min Read DUBAI, July 31 (Reuters) - Poor second quarter corporate earnings were a drag on Riyadh's index in early trade on Monday in a generally weaker Gulf market, though Dubai bucked that trend as bluechips rose. Shares of Saudi builder Khodari fell 1.1 percent after the company reported a second-quarter net loss of 25.02 million riyals ($6.7 million), wider than EFG Hermes' estimate of 14.40 million riyals. Quarterly revenue was half of that in the year-earlier quarter, the company said. Milk and yoghurt maker Saudi Dairy Foodstuff Co fell 0.8 percent after it reported a 5.2 percent year-on-year drop in second quarter net profit. Saudi Re for Cooperative Reinsurance jumped 3.7 percent after its net income in the second quarter expanded 50.6 percent. Saudi Paper Manufacturing was up 0.3 percent after it reported a narrower loss. The Saudi index edged down 0.3 percent. Qatar's index, which lost 1.0 percent on Sunday, was little changed as nine on the 20 most valuable companies declined and six rose. In Dubai, Dubai Investments lost 0.8 percent after reporting a 12.6 percent drop in second quarter net profit. Other companies were more upbeat, with the largest listed developer Emaar Properties up 1.1 percent, helping take the index 0.6 percent higher. $1 = 3.7500 riyals Reporting by Celine Aswad; Editing by John Stonestreet 0 : 0 \n", "Name: Text, dtype: object\n" ] }, { "data": { "application/vnd.jupyter.widget-view+json": { "model_id": "92783d0b32a64c42a0195e2556098477", "version_major": 2, "version_minor": 0 }, "text/plain": [ "interactive(children=(IntSlider(value=-1, description='x', max=2, min=-1), Output()), _dom_classes=('widget-in…" ] }, "metadata": {}, "output_type": "display_data" }, { "name": "stdout", "output_type": "stream", "text": [ "0: Other/Unrelated news, 1: Merger,\n", "2: Merger pending/in talks/to be approved or merger rejected/aborted/denied or\n", "Share Deal/Asset Deal/Acquisition or Merger as incidental remark/not main topic/not current\n", "___________________________________________________________________________________________________\n", "\n", "\n", "News article no. 3027:\n", "\n", "HEADLINE:\n", "3027 ConocoPhillips, partners weigh expansion of Darwin LNG\n", "Name: Title, dtype: object\n", "\n", "TEXT:\n", "3027 DARWIN ConocoPhillips and its partners are considering expanding their Darwin liquefied natural gas (LNG) plant in Australia, with backing from other companies with undeveloped gas resources that could feed the plant.ConocoPhillips has previously talked only about developing a new gas field for around $10 billion to fill the plant's single production unit, or train, when supply from its current gas source, the Bayu-Undan field, runs out around 2022.The U.S. oil major has also previously said an expansion in the current market would be challenging due to low oil and LNG prices, and costs that have risen steeply since Darwin LNG was built more than a decade ago.A $650,000 feasibility study on building a second train is due to be completed this year, the Northern Territory government said on Wednesday, announcing that it would contribute $250,000 toward the study.\"The Territory Labor Government is supporting the feasibility study because this is a significant investment toward the business case for potential expansion at Darwin LNG, potentially creating thousands of jobs during construction and operation,\" Northern Territory Chief Minister Michael Gunner said in a statement.Five joint ventures with undeveloped gas resources off the coast of the Northern Territory are backing the study, with stakeholders including Royal Dutch Shell, Malaysia's Petronas [PETR.UL], Italy's ENI SpA, and Australia's Santos and Origin Energy.\"With Darwin LNG, five upstream joint ventures and the Northern Territory Government involved, it is a pioneering example of all of industry and government collaborating on solutions to unlock major investments,\" ConocoPhillips Australia West vice president Kayleen Ewin said in a statement.Darwin LNG is co-owned by ConocoPhillips, Santos, Japan's Inpex, ENI, Tokyo Electric Power Co and Tokyo Gas Co.(Reporting by Tom Westbrook; Writing by Sonali Paul; Editing by Tom Hogue)\n", "Name: Text, dtype: object\n" ] }, { "data": { "application/vnd.jupyter.widget-view+json": { "model_id": "8a74487719064b2a91fc836d297ba2d9", "version_major": 2, "version_minor": 0 }, "text/plain": [ "interactive(children=(IntSlider(value=-1, description='x', max=2, min=-1), Output()), _dom_classes=('widget-in…" ] }, "metadata": {}, "output_type": "display_data" }, { "name": "stdout", "output_type": "stream", "text": [ "0: Other/Unrelated news, 1: Merger,\n", "2: Merger pending/in talks/to be approved or merger rejected/aborted/denied or\n", "Share Deal/Asset Deal/Acquisition or Merger as incidental remark/not main topic/not current\n", "___________________________________________________________________________________________________\n", "\n", "\n", "News article no. 7884:\n", "\n", "HEADLINE:\n", "7884 Australia's Crown hit by accusations of poker machine-fixing, shares tumble\n", "Name: Title, dtype: object\n", "\n", "TEXT:\n", "7884 54 AM / in 44 minutes Australia's Crown hit by accusations of poker machine-fixing, shares tumble Reuters Staff 2 Min Read SYDNEY (Reuters) - Australias Crown Resorts Ltd ( CWN.AX ) was hit by allegations of tampering with poker machines on Wednesday when a lawmaker tabled a video of whistleblowers in parliament, sending shares in the casino firm sliding. Independent lawmaker and anti-gambling campaigner Andrew Wilkie used parliamentary privilege, which allows lawmakers to make sensitive allegations without legal repercussions, to make the video public and call for an investigation by authorities. On the recording, unidentified people accuse Crowns flagship casino in Melbourne of fixing poker machines to remove built-in controls designed to regulate gambling rates. They also allege that customers were encouraged to disguise their identity to avoid detection by anti-money-laundering agency AUSTRAC, and that the casino failed to stop drug use and domestic violence on its premises. Wilkie told a news conference he had verified the identity of the people on the video as former employees of Crown but declined to comment further on the accuracy of the allegations. Crown said in a statement that it rejected the allegations and that Wilkie should immediately provide to the relevant authorities all information relating to the matters alleged. Crown shares fell 7 percent by midsession, their biggest single-day loss in a year. Reporting by Byron Kaye and Colin Packham Editing by Jane Wardell and Edwina Gibbs 0 : 0\n", "Name: Text, dtype: object\n" ] }, { "data": { "application/vnd.jupyter.widget-view+json": { "model_id": "a25d2ad2576349da96e7fa30f595d450", "version_major": 2, "version_minor": 0 }, "text/plain": [ "interactive(children=(IntSlider(value=-1, description='x', max=2, min=-1), Output()), _dom_classes=('widget-in…" ] }, "metadata": {}, "output_type": "display_data" }, { "name": "stdout", "output_type": "stream", "text": [ "0: Other/Unrelated news, 1: Merger,\n", "2: Merger pending/in talks/to be approved or merger rejected/aborted/denied or\n", "Share Deal/Asset Deal/Acquisition or Merger as incidental remark/not main topic/not current\n", "___________________________________________________________________________________________________\n", "\n", "\n", "News article no. 7742:\n", "\n", "HEADLINE:\n", "7742 UPDATE 1-Hiscox expects $225 mln net claims from hurricanes Harvey, Irma\n", "Name: Title, dtype: object\n", "\n", "TEXT:\n", "7742 October 2, 2017 / 6:37 AM / Updated an hour ago UPDATE 1-Hiscox expects $225 mln net claims from hurricanes Harvey, Irma Reuters Staff 3 Min Read (Adds CEO comment, details, background) Oct 2 (Reuters) - Lloyds of London underwriter Hiscox Ltd estimated on Monday that it would face net claims totalling about $225 million from Harvey and Irma, as insurers and reinsurers count the cost of the hurricanes. The company said that despite continuing uncertainty around the losses from Harvey and Irma, the estimates were within its modelled range of claims for events of this nature and that it still had depth of cover in its reinsurance business. Hiscox had previously estimated that it would see net claims of about $150 million from Hurricane Harvey. Harvey lashed Texas causing flooding that put it on the scale of Hurricane Sandy in 2012 and Irma, one of the most powerful Atlantic storms on record, ravaged several islands in the northern Caribbean, before moving into Floridas Gulf Coast. The Lloyds of London insurance market has forecast that it expects net losses for the market of $4.5 billion from the two hurricanes. Hiscox Chief Executive Bronek Masojada said the storms meant insurance and reinsurance rates were on an uptrend, impacting rates in affected areas and specific sectors. After a number of years of rate reductions, we are starting to see price corrections, most acutely in affected lines such as large property insurance and catastrophe reinsurance, which we expect to spread to non-affected lines, he said. Industry experts have said that some big reinsurers could be tipped into the red this year, following Hurricane Maria, the third major hurricane of the past few weeks, which caused an island-wide power outage in Puerto Rico. The outage will mean a surge in insurance claims for lost business income that will increase the already high cost of damage caused by Maria. Last week, rival Lloyds insurer Beazley said it reckoned that its losses from hurricanes Harvey, Irma and Maria in the Caribbean and southern United States and a series of earthquakes in Mexico would reduce its 2017 earnings by about $150 million. Hiscox is set to publish its third-quarter interim trading statement on November 7. (Reporting by Esha Vaish in Bengaluru; editing by Carolyn Cohn)\n", "Name: Text, dtype: object\n" ] }, { "data": { "application/vnd.jupyter.widget-view+json": { "model_id": "46c1ce0d66ce41558babbf54c32a1ab6", "version_major": 2, "version_minor": 0 }, "text/plain": [ "interactive(children=(IntSlider(value=-1, description='x', max=2, min=-1), Output()), _dom_classes=('widget-in…" ] }, "metadata": {}, "output_type": "display_data" }, { "name": "stdout", "output_type": "stream", "text": [ "0: Other/Unrelated news, 1: Merger,\n", "2: Merger pending/in talks/to be approved or merger rejected/aborted/denied or\n", "Share Deal/Asset Deal/Acquisition or Merger as incidental remark/not main topic/not current\n", "___________________________________________________________________________________________________\n", "\n", "\n", "News article no. 2885:\n", "\n", "HEADLINE:\n", "2885 Jared Kushner in talks to sell stake in real estate tech firm: WSJ\n", "Name: Title, dtype: object\n", "\n", "TEXT:\n", "2885 Jared Kushner, a senior level White House official and son-in-law of President Donald Trump, is in talks to sell his stake in a real estate technology company as he attempts to pare his numerous business ties, according to a report by the Wall Street Journal.He is in the late stages of negotiating a deal to sell his stake in the company, called WiredScore, to a group of investors that include Los Angeles-based Fifth Wall Ventures, the Journal said. It was unable to determine the price of the stake or the identity of other group members.Kushner is working to exit other business investments as well, as the Trump administration faces criticism for not doing enough to rid its senior officials of potential conflicts of interest.He disclosed earlier this year that his stake in the WiredScore was worth $5 million to $25 million. Founded in 2013, WiredScore assesses the speed and quality of office buildings' internet connections.Earlier this year, Kushner said in a federal disclosure form that he was \"in the divestment process\" of his holdings in WiredScore's owner, Broadband Proliferation LLC, where he is a managing member.(Reporting by Carl O'Donnell; Editing by Steve Orlofsky)\n", "Name: Text, dtype: object\n" ] }, { "data": { "application/vnd.jupyter.widget-view+json": { "model_id": "446c907f5de649d8a1f3ae75da5b0652", "version_major": 2, "version_minor": 0 }, "text/plain": [ "interactive(children=(IntSlider(value=-1, description='x', max=2, min=-1), Output()), _dom_classes=('widget-in…" ] }, "metadata": {}, "output_type": "display_data" }, { "name": "stdout", "output_type": "stream", "text": [ "0: Other/Unrelated news, 1: Merger,\n", "2: Merger pending/in talks/to be approved or merger rejected/aborted/denied or\n", "Share Deal/Asset Deal/Acquisition or Merger as incidental remark/not main topic/not current\n", "___________________________________________________________________________________________________\n", "\n", "\n", "News article no. 933:\n", "\n", "HEADLINE:\n", "933 PSA Opel deal would benefit both companies - GM CEO\n", "Name: Title, dtype: object\n", "\n", "TEXT:\n", "933 Company News 42am EST PSA Opel deal would benefit both companies - GM CEO FRANKFURT Feb 15 General Motors Chief Executive Mary Barra on Wednesday told employees that combining GM's European Opel and Vauxhall business with Peugeot would be beneficial for both companies. \"While there can be no assurance of any agreement, any possible transaction would enable PSA Groupe and Opel Vauxhall to leverage their complementary strengths, enhancing their competitive positions for the future in a rapidly changing European market,\" Barra said in message to staff, according to extracts of the message seen by Reuters. Barra urged employees not to let speculation about Opel's fate distract the carmaker from carrying out its business. Barra concluded by saying that no additional information could be provided at this point, \"because we are simply not at that point in our discussions.\" (Reporting by Edward Taylor. Editing by Jane Merriman) Next In Company News\n", "Name: Text, dtype: object\n" ] }, { "data": { "application/vnd.jupyter.widget-view+json": { "model_id": "191fd24936034968b1213af85ac0b0dc", "version_major": 2, "version_minor": 0 }, "text/plain": [ "interactive(children=(IntSlider(value=-1, description='x', max=2, min=-1), Output()), _dom_classes=('widget-in…" ] }, "metadata": {}, "output_type": "display_data" }, { "name": "stdout", "output_type": "stream", "text": [ "0: Other/Unrelated news, 1: Merger,\n", "2: Merger pending/in talks/to be approved or merger rejected/aborted/denied or\n", "Share Deal/Asset Deal/Acquisition or Merger as incidental remark/not main topic/not current\n", "___________________________________________________________________________________________________\n", "\n", "\n", "News article no. 4197:\n", "\n", "HEADLINE:\n", "4197 Gazprom Neft, Austria's OMV sign outline deal for joint work in Iran\n", "Name: Title, dtype: object\n", "\n", "TEXT:\n", "4197 Market News - Fri Jun 2, 2017 - 5:04am EDT Gazprom Neft, Austria's OMV sign outline deal for joint work in Iran VIENNA, June 2 Russia's Gazprom Neft and Austrian oil and gas group OMV signed a memorandum of understanding to work together in Iran's oil industry in the future, OMV said in a statement on Friday. \"Preliminary possible spheres of cooperation include analysis, assessment and study of certain oil deposits located in the territory of the Islamic Republic of Iran in cooperation with the National Iranian Oil Company (NIOC),\" OMV said. Vadim Yakovlev, First Deputy General Director of Gazprom Neft, said in the statement OMV could help his company in the initial geological assessment of two blocks in Iran. (Reporting by Shadia Nasralla; editing by Alexander Smith) \n", "Name: Text, dtype: object\n" ] }, { "data": { "application/vnd.jupyter.widget-view+json": { "model_id": "38705b3781a14be7b5bc1a1a392e5674", "version_major": 2, "version_minor": 0 }, "text/plain": [ "interactive(children=(IntSlider(value=-1, description='x', max=2, min=-1), Output()), _dom_classes=('widget-in…" ] }, "metadata": {}, "output_type": "display_data" }, { "name": "stdout", "output_type": "stream", "text": [ "0: Other/Unrelated news, 1: Merger,\n", "2: Merger pending/in talks/to be approved or merger rejected/aborted/denied or\n", "Share Deal/Asset Deal/Acquisition or Merger as incidental remark/not main topic/not current\n", "___________________________________________________________________________________________________\n", "\n", "\n", "News article no. 374:\n", "\n", "HEADLINE:\n", "374 Fibria sees pulp prices holding on to most gains through 2017\n", "Name: Title, dtype: object\n", "\n", "TEXT:\n", "374 11am EST Fibria sees pulp prices holding on to most gains through 2017 SAO PAULO Jan 31 Brazil's Fibria Celulose SA , the world's largest producer of eucalyptus pulp, expects the outlook for higher global pulp prices to stretch into the second quarter of 2017, executives told journalists on an earnings call on Tuesday. Chief Executive Marcelo Castelli said he expected prices to be flat or slightly lower in the second half of the year, but he said a sharp drop in prices this year was unlikely. (Reporting by Brad Haynes and Alberto Alerigi Jr.; Editing by Chizu Nomiyama) \n", "Name: Text, dtype: object\n" ] }, { "data": { "application/vnd.jupyter.widget-view+json": { "model_id": "91d180fd32a242d4aad8a1e5745179b6", "version_major": 2, "version_minor": 0 }, "text/plain": [ "interactive(children=(IntSlider(value=-1, description='x', max=2, min=-1), Output()), _dom_classes=('widget-in…" ] }, "metadata": {}, "output_type": "display_data" }, { "name": "stdout", "output_type": "stream", "text": [ "0: Other/Unrelated news, 1: Merger,\n", "2: Merger pending/in talks/to be approved or merger rejected/aborted/denied or\n", "Share Deal/Asset Deal/Acquisition or Merger as incidental remark/not main topic/not current\n", "___________________________________________________________________________________________________\n", "\n", "\n", "News article no. 5859:\n", "\n", "HEADLINE:\n", "5859 Toshiba auditor to split opinion on finances, governance - sources\n", "Name: Title, dtype: object\n", "\n", "TEXT:\n", "5859 08 AM / 32 minutes ago Toshiba auditor to split opinion on finances, governance - sources Reuters Staff 1 logo of Toshiba Corp is seen at an electronics store in Yokohama, south of Tokyo, June 25, 2013. Toru Hanai/File Photo TOKYO (Reuters) - The auditor for Toshiba Corp ( 6502.T ) is likely to sign off on the conglomerate's annual results while giving a thumbs down on the corporate governance behind a series of crises for the group, people with direct knowledge of the discussions said on Tuesday. PricewaterhouseCoopers Aarata LLC will give a \"qualified opinion\" endorsing Toshiba's finances in the financial statement for the year ended in March, the two sources told Reuters. That will end a limbo in which the auditor withheld its opinion as it checked problems during the year, which bankrupted Toshiba's U.S. nuclear unit in December. However, PwC will give an \"adverse statement\" on the company's internal controls, they said. The auditor could not be reached for comment outside business hours. Reporting by Taro Fuse; Writing by William Mallard; Editing by Susan Fenton 0 : 0\n", "Name: Text, dtype: object\n" ] }, { "data": { "application/vnd.jupyter.widget-view+json": { "model_id": "5db197abb0774729968a50eae02b9758", "version_major": 2, "version_minor": 0 }, "text/plain": [ "interactive(children=(IntSlider(value=-1, description='x', max=2, min=-1), Output()), _dom_classes=('widget-in…" ] }, "metadata": {}, "output_type": "display_data" }, { "name": "stdout", "output_type": "stream", "text": [ "0: Other/Unrelated news, 1: Merger,\n", "2: Merger pending/in talks/to be approved or merger rejected/aborted/denied or\n", "Share Deal/Asset Deal/Acquisition or Merger as incidental remark/not main topic/not current\n", "___________________________________________________________________________________________________\n", "\n", "\n", "News article no. 6623:\n", "\n", "HEADLINE:\n", "6623 Shares in French food group Danone rise on bid speculation report\n", "Name: Title, dtype: object\n", "\n", "TEXT:\n", "6623 24 AM / 2 minutes ago Shares in French food group Danone rise on bid speculation report Reuters Staff 2 Min Read File Photo - Containers of Danone's Dannon Yogurt are displayed in a supermarket in New York City, U.S., February 15, 2017. Brendan McDermid PARIS (Reuters) - Shares in French food group Danone ( DANO.PA ) rose on Monday after the New York Post newspaper said in a report over the weekend that Danone could be a takeover target. ( nyp.st/2vxjSjj ) Danone's shares were up 2.3 percent at 66.43 euros by 0704 GMT, making them the top performer on France's CAC-40 market index <0#.FCHI>. The New York Post cited a stock market tipster as saying \"someone is going to buy Danone\", with the tipster adding that \"Danone could be bought by a Kraft ( KHC.O ) or a Coke ( KO.N ), and the French government would allow it.\" A spokeswoman for Danone said the company had no comment to make on the report. French governments have traditionally sought to prevent their leading companies from being taken over by foreign rivals. In 2005 France dashed to the support of Danone in the face of a rumored bid from Pepsi ( PEP.N ), which never actually materialized. ( reut.rs/2wHZQTw ) Reporting by Sudip Kar-Gupta and Matthieu Protard; Editing by Greg Mahlich 0 : 0\n", "Name: Text, dtype: object\n" ] }, { "data": { "application/vnd.jupyter.widget-view+json": { "model_id": "c2466e82a8a24eadb19a967162178976", "version_major": 2, "version_minor": 0 }, "text/plain": [ "interactive(children=(IntSlider(value=-1, description='x', max=2, min=-1), Output()), _dom_classes=('widget-in…" ] }, "metadata": {}, "output_type": "display_data" }, { "name": "stdout", "output_type": "stream", "text": [ "0: Other/Unrelated news, 1: Merger,\n", "2: Merger pending/in talks/to be approved or merger rejected/aborted/denied or\n", "Share Deal/Asset Deal/Acquisition or Merger as incidental remark/not main topic/not current\n", "___________________________________________________________________________________________________\n", "\n", "\n", "News article no. 8995:\n", "\n", "HEADLINE:\n", "8995 UPDATE 1-Germany's HelloFresh prices IPO at 10.25 euros per share, centre of range\n", "Name: Title, dtype: object\n", "\n", "TEXT:\n", "8995 * Expects to earn 318 mln euros from IPO* Stock due to start trading on Thursday (Adds CEO comment, detail and background)BERLIN/FRANKFURT, Nov 1 (Reuters) - Loss-making German meal-kit-delivery group HelloFresh on Wednesday priced its initial public offering (IPO) at 10.25 euros ($11.91) per share, the centre of an indicative price range of 9 to 11.50 euros.The group said it would earn about 318 million euros from the IPO if the greenshoe option, allowing the sale of more shares than originally planned, was fully exercised. It said it would use the proceeds to fund further growth.HelloFresh is selling 31 million new shares including an overallotment option, implying a valuation of the company of about 1.7 billion euros.The company decided to go ahead with its renewed listing despite a 50 percent decline in shares in U.S. rival Blue Apron since the groups June IPO.Two years ago, HelloFresh cancelled a planned IPO after investors rejected a higher valuation.Its stock is due to start trading on the Frankfurt stock exchange on Thursday.HelloFreshs largest market is the United States, where it is spending heavily on discounts and advertising to compete with rivals like Blue Apron and Plated.The group is majority-owned by German e-commerce investor Rocket Internet, which listed in 2014 with a pledge to be a launch pad for floating start-ups. Volatile markets meant it had to wait until this year for its first success, with takeaway firm Delivery Hero.HelloFresh, which delivers meal ingredients and recipes in 10 countries, aims to break even on an operating level, or adjusted EBITDA, within the next 15 months.Its net loss stood at 56.7 million euros in the first half of 2017 on revenues of 435 million euros. (Reporting by Andreas Cremer and Maria Sheahan; Editing by Edmund Blair) \n", "Name: Text, dtype: object\n" ] }, { "data": { "application/vnd.jupyter.widget-view+json": { "model_id": "6d62f68bb13d4993a9519fa93896317f", "version_major": 2, "version_minor": 0 }, "text/plain": [ "interactive(children=(IntSlider(value=-1, description='x', max=2, min=-1), Output()), _dom_classes=('widget-in…" ] }, "metadata": {}, "output_type": "display_data" }, { "name": "stdout", "output_type": "stream", "text": [ "0: Other/Unrelated news, 1: Merger,\n", "2: Merger pending/in talks/to be approved or merger rejected/aborted/denied or\n", "Share Deal/Asset Deal/Acquisition or Merger as incidental remark/not main topic/not current\n", "___________________________________________________________________________________________________\n", "\n", "\n", "News article no. 6862:\n", "\n", "HEADLINE:\n", "6862 James Dyson to build electric car by 2020\n", "Name: Title, dtype: object\n", "\n", "TEXT:\n", "6862 3:53 PM / Updated 17 minutes ago Inventor James Dyson aims for electric car launch by 2020 Paul Sandle 4 Min Read FILE PHOTO: A sign is pictured on an electric car charging station at the United Nations in Geneva, Switzerland June 2, 2017. REUTERS/Denis Balibouse LONDON (Reuters) - James Dyson, the billionaire British inventor of the bagless vacuum cleaner, said on Tuesday his company was working on developing an electric car to be launched by 2020. Dyson said he was spending 2 billion pounds to exploit his namesake companys expertise in solid-state battery technology and electric motors to be found in his innovative vacuum cleaners and other products like bladeless fans and air purifiers. Battery technology is very important to Dyson, electric motors are very important to Dyson, environmental control is very important to us, Dyson, aged 71, said at his companys flagship shop on Londons Oxford Street. I have been developing these technologies consistently because I could see that one day we could do a car. Dyson said a 400-strong team of engineers had already spent 2-1/2 years working on the hitherto secret car project in Malmesbury, Wiltshire. However, the car itself still has to be designed and the choice of battery to be finalised. The company was backing solid-state rather than the lithium ion technology used in existing electric vehicles because it was safer, the batteries would not overheat, were quicker to charge and potentially more powerful, he said. Dyson said his ambition to go it alone was driven by the car industrys dismissal of an idea he had of applying his cyclonic technology that revolutionised vacuum cleaners to handle diesel emissions in car exhaust systems in the 1990s. We are not a johnny-come-lately onto the scene of electric cars, he said. It has been my ambition since 1998 when I was rejected by the industry, which has happily gone on making polluting diesel engines, and governments have gone on allowing it. There had already been clues that Dyson was working on a car. His company has been hiring executives from Aston Martin and last year the government said in a report it was helping to fund development work on an electric vehicle at the firm, although the entry was quickly changed. Dyson said he was coming clean now because it was becoming harder to talk to subcontractors, government and potential new employees. FAR EAST MARKET But the car does not yet have a design nor a chassis, he said, and the company had not yet decided where it will be made, beyond ruling out working with the big car companies. Wherever we make the battery, well make the car, thats logical, he said. So we want to be near our suppliers, we want to be in a place that welcomes us and is friendly to us, and where it is logistically most sensible. And we see a very large market for this car in the Far East. Dyson gave no details of the concept for the vehicle, beyond saying it would not be like anything else already on the market. Theres no point in doing one that looks like everyone elses, he said, adding that it would not be a sports car and it would not be a very cheap car. Dyson, who was a prominent backer of the campaign for Britain to leave the European Union, has been able to fund the project through the profits of his holding company. The Weybourne Group reported a 55 percent rise in pretax profit to 473 million pounds in 2016 on revenue of 2.53 billion pounds, according to accounts filed earlier this month. On Tuesday Dyson told his workforce, which includes more than 1,000 engineers, that the company finally had the opportunity to bring all its technologies together into a single product. Competition for new technology in the automotive industry is fierce and we must do everything we can to keep the specifics of our vehicle confidential, he said in an email. Writing by Paul Sandle and Costas Pitas; editing by Stephen Addison, Greg Mahlich\n", "Name: Text, dtype: object\n" ] }, { "data": { "application/vnd.jupyter.widget-view+json": { "model_id": "255d7f2a9e3249468a14aebd58546f23", "version_major": 2, "version_minor": 0 }, "text/plain": [ "interactive(children=(IntSlider(value=-1, description='x', max=2, min=-1), Output()), _dom_classes=('widget-in…" ] }, "metadata": {}, "output_type": "display_data" }, { "name": "stdout", "output_type": "stream", "text": [ "0: Other/Unrelated news, 1: Merger,\n", "2: Merger pending/in talks/to be approved or merger rejected/aborted/denied or\n", "Share Deal/Asset Deal/Acquisition or Merger as incidental remark/not main topic/not current\n", "___________________________________________________________________________________________________\n", "\n", "\n", "News article no. 5999:\n", "\n", "HEADLINE:\n", "5999 From airline cancellations to that ropey hotel, what to do about botched holidays\n", "Name: Title, dtype: object\n", "\n", "TEXT:\n", "5999 I ts that season again. The sleepless nights, the stressful confrontations and the hours spent on phone and email seeking resolutions. In other words the summer holidays, when many of us jet off for a break from the demands of work and discover the sunny retreat is more stressful than the office. Abta, the travel agents association, received nearly 13,000 complaints about botched holidays over 12 months last year. The problems can start as soon as you arrive at the airport, or spring out at you in the form of mysterious debits from your bank account weeks after your return. Whether your flight was overbooked or your hotel under-built, this guide tells you how to sort out the mayhem of the Great British Make Off.Flights At check-in you discover your flight has been delayed for three hours, or that someone else has been given your seat. The airline may forget to tell you that you are entitled to compensation of up to 600 (544) depending on the length of the journey and the delay.The sums are set out under EU rule 261/2004 and airlines are only exempt if the delay or cancellation was caused by an extraordinary circumstance. Airlines often claim that any setback is beyond their control and refuse to pay out. In fact, case law has ruled that favourite excuses like bad weather, crew sickness and technical problems are an inherent part of flying that airlines should plan for.Facebook Twitter Pinterest Airlines often claim that any setback is beyond their control and refuse to pay out. Photograph: Alamy Stock Photo If your flight is delayed for three hours or more, or a cancellation delays your arrival by more than two hours, calculate how much you are due and request the relevant compensation from the air operator. Check the flight distance at DistancesFrom.com, while Which? has template letters on its website . The Resolver website is also a good starting point.If you have been offered overnight accommodation because a flight was cancelled, or you incurred extra costs because you were sent to a different airport, you can claim them back. Again, first claims are likely to be ignored, particularly by easyJet and several other low-cost carriers, if Guardian Moneys postbag is representative. Be persistent. If you are repeatedly ignored you have two choices: bring a small claims court action, which is often enough to get the airline to pay up; or hand it over to a solicitor that specialises in EU261 claims.There are some firms to avoid, but Bott & Co can be trusted, although it does retain 25% plus VAT of the total compensation plus a 25 per passenger admin charge.Lost luggage It could be that you arrive at your destination but your luggage doesnt, in which case you must fill out a Property Irregularity Report (PIR) at the airport. The airline has 21 days to find it, after which it is deemed lost and you can make a claim. The compensation is usually paltry 1,200 is the maximum and doesnt include new for old. It may be easier to claim under your travel insurance.If your suitcase is damaged, submit a claim within seven days along with that PIR. Specify you are claiming under the Montreal Convention which governs airline liability for lost and damaged bags. If the airline refuses to pay, either for delayed flights or missing baggage, complain to whichever approved dispute resolution scheme its signed up to. If it isnt signed up to one, complain to the Civil Aviation Authority. As a last resort threaten a the small claims court.Car hire Weeks after your return you notice a three-figure sum debited from your account. This is an increasingly common ploy of car hire firms which help themselves without warning for alleged damage. In 2015, following a Europe-wide investigation, the biggest rental firms agreed to improve how they notify customers of this, and how they deal with disputes.Facebook Twitter Pinterest Ask the hire company for detailed evidence of damage and costings. If none is forthcoming, take it up with your card provider. It will demand evidence that the charge is correct, and should reverse any unsubstantiated charges.The European Car Rental Conciliation Service can help with complaints about member companies including the likes of Hertz, Avis and Enterprise.Hotels There is nothing more deflating than finding an empty swimming pool, a mildewed bedroom and a symphony of drills. If you booked a package, ie one or more components were provided by the operator, you are protected by the Package Travel Regulations which state that a holiday must be as described.If you couldnt resolve the problems while away, you can claim for loss of enjoyment. This includes out-of-pocket expenses and loss of value if you had to fork out for things that should have been included. Or the difference paid if you were transferred to cheaper accommodation. Send in as much evidence as possible and be persistent. Dont over claim, however: a reasonable claim is much more likely to be paid out quickly.If the tour operator fails to respond satisfactorily within 28 days, and is a member of Abta, you could use its mediation service . In 2015/16 it upheld 62% of complaints. The Association of Independent Tour Operators also offers a mediation service, but it costs 140. That, however, could be cheaper than the last resort bringing a small claims case.Your rights are less straightforward if you assembled the holiday yourself. You would have to complain to the individual providers which, if they are based abroad, wont be governed by UK legislation.If you paid for the hotel or villa directly by credit card, you could lodge a claim for breach of contract with your card issuer under section 75 of the Consumer Credit Act. This can be hard work. If they unreasonably decline, the Financial Ombudsman Service is free.If you booked accommodation in the UK you are protected by the Consumer Rights Act, which gives you compensation rights if, say, the self-catering house was not as described.And if your safety net fails? Facebook Twitter Pinterest You took the precaution of buying insurance in case of a stolen phone or a broken neck. You even read through the terms and conditions to check you were covered. But when you try to claim the insurer wont pay. Write to the company detailing why you think it is wrong and quote any relevant section of the terms and conditions. New rules forbid insurers to reject a claim if you answered all the relevant questions honestly, and it cant rely on facts it didnt specifically ask for. If the firm refuses to give in, or eight weeks pass without a reply, you can take your case to the Financial Ombudsman Service.\n", "Name: Text, dtype: object\n" ] }, { "data": { "application/vnd.jupyter.widget-view+json": { "model_id": "9fb0e2db04a14e0da337d4c573485686", "version_major": 2, "version_minor": 0 }, "text/plain": [ "interactive(children=(IntSlider(value=-1, description='x', max=2, min=-1), Output()), _dom_classes=('widget-in…" ] }, "metadata": {}, "output_type": "display_data" }, { "name": "stdout", "output_type": "stream", "text": [ "0: Other/Unrelated news, 1: Merger,\n", "2: Merger pending/in talks/to be approved or merger rejected/aborted/denied or\n", "Share Deal/Asset Deal/Acquisition or Merger as incidental remark/not main topic/not current\n", "___________________________________________________________________________________________________\n", "\n", "\n", "News article no. 6166:\n", "\n", "HEADLINE:\n", "6166 Serco first-half results on track, pipeline gives room for optimism\n", "Name: Title, dtype: object\n", "\n", "TEXT:\n", "6166 August 3, 2017 / 6:41 AM / in 13 minutes Serco first-half results on track, pipeline gives room for optimism Reuters Staff 2 Min Read A Serco flag is seen flying alongside a Union flag outside Doncaster Prison in northern England in this December 13, 2011 file photograph. Darren Staples/Files EDINBURGH (Reuters) - British outsourcing group Serco ( SRP.L ) said a better-than-expected outlook for its bid pipeline kept it on track to meet profit and revenue guidance this year despite several of its markets turning markedly more unpredictable. Serco, which runs transport, health, justice, defence and security services for public departments and gets half of its revenues from the UK, reported flat first half revenue of 1.5 billion pounds ($2.0 billion), with the weakness of the pound helping to offset the decline. \"The most striking element is the order intake, which for two successive periods has been very strong, totalling some 4 billion pounds in the last twelve months, and we have succeeded in maintaining the pipeline at broadly similar levels despite strong order conversion,\" CEO Rupert Soames said in a statement. \"However, as we said in June, we remain sensibly cautious in the light of the political environment in several of our markets becoming markedly more unpredictable\". Underlying trading profit fell 30 percent, after a series of one-offs in the same period last year, to 35 million pounds. the group is in the middle of an overhaul started three years ago after a reset of strategy followed a series of profit warnings. Reporting by Elisabeth O'Leary; editing by Kate Holton 0 : 0\n", "Name: Text, dtype: object\n" ] }, { "data": { "application/vnd.jupyter.widget-view+json": { "model_id": "b28280cd935e468d884fa679e2791eee", "version_major": 2, "version_minor": 0 }, "text/plain": [ "interactive(children=(IntSlider(value=-1, description='x', max=2, min=-1), Output()), _dom_classes=('widget-in…" ] }, "metadata": {}, "output_type": "display_data" }, { "name": "stdout", "output_type": "stream", "text": [ "0: Other/Unrelated news, 1: Merger,\n", "2: Merger pending/in talks/to be approved or merger rejected/aborted/denied or\n", "Share Deal/Asset Deal/Acquisition or Merger as incidental remark/not main topic/not current\n", "___________________________________________________________________________________________________\n", "\n", "\n", "News article no. 9478:\n", "\n", "HEADLINE:\n", "9478 Exclusive - EU regulators set to approve easyJet buy of parts of Air Berlin: sources\n", "Name: Title, dtype: object\n", "\n", "TEXT:\n", "9478 December 4, 2017 / 11:18 AM / Updated 4 minutes ago Exclusive: EU regulators set to approve easyJet buy of parts of Air Berlin - sources Reuters Staff 1 Min Read BRUSSELS/LONDON (Reuters) - British budget carrier easyJet ( EZJ.L ) is set to win unconditional EU antitrust approval to buy parts of failed German peer Air Berlin ( AB1.DE ), people familiar with the matter said on Monday. FILE PHOTO: An EasyJet passenger aircraft makes its final approach for landing at Gatwick Airport in southern England, Britain, October 9, 2016. REUTERS/Toby Melville/File Photo EasyJet will take on some of Air Berlins operations at Tegel airport in the German capital, covering leases for up to 25 A320 aircraft and around 1,000 of its pilots and cabin crew. The move will allow easyJet to strengthen its position in the German capital, notably against Irelands Ryanair ( RYA.I ) and Lufthansas budget unit Eurowings. The European Commission, which is scheduled to decide on the deal by Dec. 12, declined to comment. Reporting by Foo Yun Chee in Brussels and Alistair Smout in London, editing by Julia Fioretti\n", "Name: Text, dtype: object\n" ] }, { "data": { "application/vnd.jupyter.widget-view+json": { "model_id": "01ed6e5b034448efbbf7279884bd77b0", "version_major": 2, "version_minor": 0 }, "text/plain": [ "interactive(children=(IntSlider(value=-1, description='x', max=2, min=-1), Output()), _dom_classes=('widget-in…" ] }, "metadata": {}, "output_type": "display_data" }, { "name": "stdout", "output_type": "stream", "text": [ "0: Other/Unrelated news, 1: Merger,\n", "2: Merger pending/in talks/to be approved or merger rejected/aborted/denied or\n", "Share Deal/Asset Deal/Acquisition or Merger as incidental remark/not main topic/not current\n", "___________________________________________________________________________________________________\n", "\n", "\n", "News article no. 148:\n", "\n", "HEADLINE:\n", "148 Argentina launches US$7bn two-part bond\n", "Name: Title, dtype: object\n", "\n", "TEXT:\n", "148 By Paul Kilby NEW YORK, Jan 19 (IFR) - Here is the pricing progression on the new US$7bn bond offering from Argentina, expected to price later on Thursday: SIZE MATURITY IPTs GUIDANCE LAUNCH US$3.25bn 5-year high 5% area 5.625%-5.75% 5.625% US$3.75bn 10-year low 7% area 6.875%-7.00% 7.00% Bookrunners: BBVA, Citigroup, Deutsche Bank, HSBC, JP Morgan and Santander (Reporting by Paul Kilby; Editing by Marc Carnegie)\n", "Name: Text, dtype: object\n" ] }, { "data": { "application/vnd.jupyter.widget-view+json": { "model_id": "4cbbe5fc8c3a40feb3a5595c65192a47", "version_major": 2, "version_minor": 0 }, "text/plain": [ "interactive(children=(IntSlider(value=-1, description='x', max=2, min=-1), Output()), _dom_classes=('widget-in…" ] }, "metadata": {}, "output_type": "display_data" }, { "name": "stdout", "output_type": "stream", "text": [ "0: Other/Unrelated news, 1: Merger,\n", "2: Merger pending/in talks/to be approved or merger rejected/aborted/denied or\n", "Share Deal/Asset Deal/Acquisition or Merger as incidental remark/not main topic/not current\n", "___________________________________________________________________________________________________\n", "\n", "\n", "News article no. 7419:\n", "\n", "HEADLINE:\n", "7419 Nestle to cut up to 450 jobs at Galderma research center in France\n", "Name: Title, dtype: object\n", "\n", "TEXT:\n", "7419 September 21, 2017 / 9:06 AM / Updated 9 hours ago Nestle to cut jobs at French skin health R&D center Reuters Staff 2 Min Read The Nestle logo is pictured on the company headquarters entrance building in Vevey, Switzerland February 18, 2016. REUTERS/Pierre Albouy ZURICH (Reuters) - Nestle plans to cut up to 450 jobs at a Galderma research and development center in southern France, the Swiss company said on Thursday, as it seeks to make the underperforming skin health business more efficient. Galderma, which Nestle took over from its joint venture partner LOreal in 2014, will cut as many as 450 of 550 jobs at its R&D center in Sophia Antipolis near Nice. Vevey-based Nestle is under pressure to improve efficiency and shareholder returns after years of slowing growth and its new Chief Executive Mark Schneider is expected to unveil his strategic priorities at an investor event next week. Skin treatments have been a major part of a push by the worlds largest food maker into higher-growth and more profitable health products to counter a slowdown in its traditional food businesses, which range from KitKat chocolate bars to Perrier water. Last month Nestle said it would close a skin cream factory in Switzerland, with the potential loss of 190 jobs, and shift production elsewhere in response to a slowdown. Prescription medicines are moving away from creams towards injections or products taken orally and this shift is being reflected in changes to R&D, a Nestle spokesman said. Nestle wants to combine development of prescription medicines within a single research center, whose location has yet to be decided, where about 100 of the employees would be able to find a new job with some 300 people likely to leave. Nestle plans to review the French site over the next 12 months to decide whether specific activities can be continued. The company does not break out results for its skin health business separately, but said in July it had lower second-quarter sales volumes and pricing, hurt by a soft performance in China and pressure from generic versions of its medicines. Reporting by Silke Koltrowitz and Angelika Gruber; editing by Alexander Smith \n", "Name: Text, dtype: object\n" ] }, { "data": { "application/vnd.jupyter.widget-view+json": { "model_id": "9927ac7ce02440118d1a7d3dddaa3832", "version_major": 2, "version_minor": 0 }, "text/plain": [ "interactive(children=(IntSlider(value=-1, description='x', max=2, min=-1), Output()), _dom_classes=('widget-in…" ] }, "metadata": {}, "output_type": "display_data" }, { "name": "stdout", "output_type": "stream", "text": [ "0: Other/Unrelated news, 1: Merger,\n", "2: Merger pending/in talks/to be approved or merger rejected/aborted/denied or\n", "Share Deal/Asset Deal/Acquisition or Merger as incidental remark/not main topic/not current\n", "___________________________________________________________________________________________________\n", "\n", "\n", "News article no. 765:\n", "\n", "HEADLINE:\n", "765 Russian retailer Magnit misses 2016 sales forecast\n", "Name: Title, dtype: object\n", "\n", "TEXT:\n", "765 Business News - Tue Jan 10, 2017 - 9:01am GMT Russian retailer Magnit misses 2016 sales forecast People walk to enter a grocery store owned by Russian retailer Magnit on the suburbs of Moscow August 1, 2012. REUTERS/Sergei Karpukhin MOSCOW Russia's biggest food retailer Magnit ( MGNT.MM ) reported on Tuesday a 12.8 percent increase in 2016 sales, missing its 14-16 percent growth forecast. The low-cost retailer has seen revenue growth slow as competition increased among stores seeking to tap into the pool of cash-strapped consumers who have cut back on spending as the rouble weakened and inflation ran high. Analysts have said they expect Magnit to cede its leading position to X5 Retail Group ( PJPq.L ) in 2017 as the aggressively expanding competitor has been reporting sales growth in excess of 20 percent. Other retailers in the sector have yet to report their 2016 sales figures. Magnit's 2016 sales rose to 1.1 trillion roubles (15.06 billion pounds) from 947.8 billion roubles in 2015, with growth slowing from the 24 percent achieved in 2015. In December alone, sales growth slowed to 6.9 percent from more than 10 percent in previous months. Like-for-like sales were down 0.3 percent last year as Magnit's customer numbers dropped 0.9 percent while the average bill rose 0.65 percent, Magnit said in a statement. It also opened fewer new stores than planned, adding 927 convenience shops against an earlier forecast 1,000-1,100 stores, Magnit said in a statement. Magnit Chief Executive Officer Sergey Galitskiy said in October the company was likely to end 2016 with fewer net openings than planned as it was ramping up closures of inefficient outlets. Shares in Magnit were down 3.3 percent by 0827 GMT in Moscow, underperforming a broader market index . (Reporting by Maria Kiselyova; Editing by Christian Lowe) Next In Business News L'Oreal to buy three skincare brands from Valeant for $1.3 billion PARIS French cosmetics group L'Oreal is acquiring three specialized skincare brands - CeraVe, AcneFree and Ambi - from Canada's Valeant Pharmaceuticals International for $1.3 billion (1.07 billion pounds) in cash to expand into one of the fastest growing areas of the beauty industry.\n", "Name: Text, dtype: object\n" ] }, { "data": { "application/vnd.jupyter.widget-view+json": { "model_id": "01f92fa522a24a6f9c577461a347e1c3", "version_major": 2, "version_minor": 0 }, "text/plain": [ "interactive(children=(IntSlider(value=-1, description='x', max=2, min=-1), Output()), _dom_classes=('widget-in…" ] }, "metadata": {}, "output_type": "display_data" }, { "name": "stdout", "output_type": "stream", "text": [ "0: Other/Unrelated news, 1: Merger,\n", "2: Merger pending/in talks/to be approved or merger rejected/aborted/denied or\n", "Share Deal/Asset Deal/Acquisition or Merger as incidental remark/not main topic/not current\n", "___________________________________________________________________________________________________\n", "\n", "\n", "News article no. 2964:\n", "\n", "HEADLINE:\n", "2964 Delhi High Court approves $1.18 billion settlement of Tata-DoCoMo dispute - TV\n", "Name: Title, dtype: object\n", "\n", "TEXT:\n", "2964 NEW DELHI The Delhi High Court has approved a settlement of the $1.18 billion dispute between Tata Sons and NTT DoCoMo ( 9437.T ), allowing the Indian firm to buy out the Japanese firm's stake in the telecoms joint venture, TV news channels reported on Friday.India's central bank had blocked Tata's offer, saying a rule change in 2016 prevented foreign investors from selling stakes in Indian firms at a pre-determined price.DoCoMo entered India in 2009 with an investment of nearly $2.2 billion in Tata group's telecoms arm Tata Teleservices for a 26.5 percent stake in the venture. Competition and a low subscriber base forced DoCoMo to rethink its strategy and it decided to get out of India in 2014.Under the terms of the deal, in the event of an exit, DoCoMo was guaranteed the higher of either half its original investment, or its fair value.Tata was unable to find a buyer for the Japanese firm's stake and offered to buy the stake itself for half of DoCoMo's investment.(Reporting by Nidhi Verma; Editing by Douglas Busvine)\n", "Name: Text, dtype: object\n" ] }, { "data": { "application/vnd.jupyter.widget-view+json": { "model_id": "b23aebb479684352bb221273487d772e", "version_major": 2, "version_minor": 0 }, "text/plain": [ "interactive(children=(IntSlider(value=-1, description='x', max=2, min=-1), Output()), _dom_classes=('widget-in…" ] }, "metadata": {}, "output_type": "display_data" }, { "name": "stdout", "output_type": "stream", "text": [ "0: Other/Unrelated news, 1: Merger,\n", "2: Merger pending/in talks/to be approved or merger rejected/aborted/denied or\n", "Share Deal/Asset Deal/Acquisition or Merger as incidental remark/not main topic/not current\n", "___________________________________________________________________________________________________\n", "\n", "\n", "News article no. 3219:\n", "\n", "HEADLINE:\n", "3219 Air Canada apologizes for bumping youth off oversold flight: father\n", "Name: Title, dtype: object\n", "\n", "TEXT:\n", "3219 Aerospace & Defense 35pm EDT Air Canada apologizes for bumping youth off oversold flight: father An Air Canada Boeing 767-300ER lands at San Francisco International Airport, San Francisco, California, April 16, 2015. REUTERS/Louis Nastro By Allison Lampert - MONTREAL MONTREAL Air Canada ( AC.TO ) has apologized and offered compensation for bumping a 10-year-old off a flight, the boy's father said on Monday, after the Canadian family's story sparked headlines following a high-profile incident involving overbooking by U.S. carrier United Airlines. Brett Doyle said his family, who first tried unsuccessfully to check in his older son online, was told at the airport there was no seat available for the boy on an oversold flight from Charlottetown, Prince Edward Island, to Montreal, where they were connecting to a flight to a Costa Rica vacation last month. The entrepreneur from Prince Edward Island said the family of four then drove to Moncton, New Brunswick, to catch a different flight to Montreal only to discover at the airport that it had been canceled. \"I thought it was a joke, that there were hidden cameras or something,\" he recalled by phone from Charlottetown. Doyle said the family contacted Air Canada, the country's largest carrier, in March, but only received an apology and the offer of a C$2,500 trip voucher after the story was published by a Canadian newspaper on Saturday. Air Canada could not immediately be reached by Reuters for comment. An airline spokeswoman told the Canadian Press: We are currently following up to understand what went wrong and have apologized to Mr. Doyle and his family as well as offered a very generous compensation to the family for their inconvenience. Doyle, whose family finally arrived in Montreal and was able to connect to Costa Rica, said he understood the public outcry after a 69-year-old passenger was dragged from his seat on a United plane in Chicago on April 9 to make space for crew members. \"People are fed up,\" he said of airline overbooking. \"You shouldn't be able to sell something twice.\" United's parent company, United Continental Holdings Inc ( UAL.N ), which is still recovering from the public relations debacle, apologized again on Monday for the passenger's forceful removal, while reporting quarterly earnings. Doyle said the incident on United Flight 3411, which spread rapidly on social media after being shot on video by passengers, resonated with his family. \"I ... said things could always be worse,\" he said after hearing about the United incident. \"At least we weren't thrown off the plane.\" (Reporting by Allison Lampert; Editing by Peter Cooney)\n", "Name: Text, dtype: object\n" ] }, { "data": { "application/vnd.jupyter.widget-view+json": { "model_id": "470283ad328c44f79f45dca31389164a", "version_major": 2, "version_minor": 0 }, "text/plain": [ "interactive(children=(IntSlider(value=-1, description='x', max=2, min=-1), Output()), _dom_classes=('widget-in…" ] }, "metadata": {}, "output_type": "display_data" }, { "name": "stdout", "output_type": "stream", "text": [ "0: Other/Unrelated news, 1: Merger,\n", "2: Merger pending/in talks/to be approved or merger rejected/aborted/denied or\n", "Share Deal/Asset Deal/Acquisition or Merger as incidental remark/not main topic/not current\n", "___________________________________________________________________________________________________\n", "\n", "\n", "News article no. 1950:\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": "cab496aac19143c9b876590659d92e95", "version_major": 2, "version_minor": 0 }, "text/plain": [ "interactive(children=(IntSlider(value=-1, description='x', max=2, min=-1), Output()), _dom_classes=('widget-in…" ] }, "metadata": {}, "output_type": "display_data" }, { "name": "stdout", "output_type": "stream", "text": [ "0: Other/Unrelated news, 1: Merger,\n", "2: Merger pending/in talks/to be approved or merger rejected/aborted/denied or\n", "Share Deal/Asset Deal/Acquisition or Merger as incidental remark/not main topic/not current\n", "___________________________________________________________________________________________________\n", "\n", "\n", "News article no. 4031:\n", "\n", "HEADLINE:\n", "4031 Serious Fraud Office warns of 120m pension scam - Money\n", "Name: Title, dtype: object\n", "\n", "TEXT:\n", "4031 Fears are growing that large numbers of people may have lost huge sums of money after investing their retirement pots in of all things self-storage units. The Serious Fraud Office this week launched an investigation into storage unit investment schemes, and revealed that more than 120m has been poured into them. But could that just be the tip of the iceberg?One man was persuaded to transfer almost 370,000 out of his workplace pension and put it all into one such scheme supposedly offering an 8%-12% return. The Pensions Ombudsman, which looked at his case, said the blameless man had switched out of the secure and generous NHS pension scheme and may have lost all his money as a result. Others were lured in with claims that they could more than double their money in just six years.Many of us have used a self-storage facility at some point perhaps to temporarily stash our belongings when moving home. But what most people probably dont realise is that these units (also known as storage pods) have been touted as a wonder investment with double-digit returns. Many people appear to have lost some, or all, of their retirement savings after falling for the spiel of firms flogging dodgy schemes.The SFO says it is probing several, including Capita Oak Pension and Henley Retirement Benefit, plus some schemes that invested in other products. It adds that more than 1,000 individual investors are thought to be affected by the alleged fraud, though it presumably thinks the number could be higher as it is asking people who have paid into these schemes between 2011 and 2017 to complete a questionnaire available on its website.One brochure, issued by a property investment company, boasted of a 14% average annual yieldKate Smith, head of pensions at insurer Aegon, says the SFO probe is a timely reminder that unregulated unusual investments at home or abroad come with a high risk that people could lose all their hard-earned pension and other savings. She adds that it is possible that thousands more people may find they have lost money, too.Pension liberation scams where people are persuaded to transfer or cash in their pension pots and put the money into often exotic-sounding investments have been around for years, but there has been a surge in activity since April 2015 when the government introduced reforms giving over-55s more freedom in terms of what they can do with their retirement cash.Storage units on UK industrial estates might not have the exotic allure of hotel rooms in the Caribbean and palm oil plantations in Asia, but perhaps that was their selling point. Marketing tended to highlight how this was a profitable and growing industry.One glossy brochure seen by Guardian Money offered the chance to buy individual units from 3,750-30,000 said to be located in the north-west of England. The investor would buy the unit on a long-term lease from Store First Limited, and then sublet it to a management company which would subsequently rent it out.The brochure, issued by a property investment company, boasted of a 14% average annual yield and claimed that when capital growth and income were combined, the forecast net return over six years for someone investing 11,250 would be 12,180, or over 108% equating to a total return of 23,430.In December 2014, the Pensions Ombudsman published its decision in the case of Mr X who was persuaded to transfer his entire future pension 367,601 from the NHS Scotland scheme into Capita Oak. The ruling stated that Mr X was told his money would be invested in Storefirst Limited (sic), a large self-storage firm in the north of England. It was offering a 8%-12% return and therefore it seemed a good investment. He later discovered that he couldnt get his money out.The ombudsman said Mr X may well have been duped out of his entire pension, and it is not known whether he ever recovered any of his money.In April 2015 the ombudsman published two decisions relating to a man called Joseph Winning , who transferred 52,401 in pension cash from Scottish Widows and Legal & General to Capita Oak. Winnings money had apparently been invested in Store First storage pods, the rulings said.Things dont look good for Mr X or Winning (and doubtless others) because the two companies that acted as trustees to Capita Oak and Henley Retirement were wound up by the high court in July 2015. This was after an official investigation found that they were involved in a venture where people were cold called and persuaded to transfer their pensions on the basis of misrepresentations made concerning returns. The investigation found that the only investments offered to the public were storage pods marketed for sale by Store First, which paid commissions of up to 46% to another company which was part of the overall scheme.Its all been quite frustrating for the Self Storage Association UK, which describes itself as the main trade body for the industry. Its boss Rennie Schafer says investment companies have been aggressively marketing these unregulated schemes to small investors who are less informed of their perils, adding: The idea of breaking it up into little pieces and selling it off is not how self-storage works.Store First, based near Burnley, told us: The SFO investigation is not against Store First or its product of storage pods, but against the schemes named Store First is in no way connected with the running of any pension scheme being investigated by the SFO or, indeed, any scheme. In addition, Store First does not carry out any direct sales activity, and all sales are made by third party intermediaries.The company added it had no connection whatsoever with any financial advice these schemes receive or give, or to their ongoing administration.Topics Scams Investments Pensions Investing Consumer affairs \n", "Name: Text, dtype: object\n" ] }, { "data": { "application/vnd.jupyter.widget-view+json": { "model_id": "441b7e318269425fafb998ba15c9d3f2", "version_major": 2, "version_minor": 0 }, "text/plain": [ "interactive(children=(IntSlider(value=-1, description='x', max=2, min=-1), Output()), _dom_classes=('widget-in…" ] }, "metadata": {}, "output_type": "display_data" }, { "name": "stdout", "output_type": "stream", "text": [ "0: Other/Unrelated news, 1: Merger,\n", "2: Merger pending/in talks/to be approved or merger rejected/aborted/denied or\n", "Share Deal/Asset Deal/Acquisition or Merger as incidental remark/not main topic/not current\n", "___________________________________________________________________________________________________\n", "\n", "\n", "News article no. 7572:\n", "\n", "HEADLINE:\n", "7572 Monte dei Paschi shares to resume trading after 10-month halt\n", "Name: Title, dtype: object\n", "\n", "TEXT:\n", "7572 October 24, 2017 / 8:50 AM / in 18 minutes Monte dei Paschi shares to resume trading after 10-month halt Valentina Za , Stephen Jewkes 4 Min Read MILAN (Reuters) - Monte dei Paschi di Siena ( BMPS.MI ) shares will resume trading on Wednesday 10 months after they were suspended when Italys fourth-largest bank failed to raise capital to bolster its finances. The entrance of Monte Dei Paschi di Siena is seen in San Gusme near Siena, Italy, September 29, 2016. REUTERS/Stefano Rellandini Monte dei Paschi said on Tuesday that Italys market watchdog had approved a prospectus for its re-listing. The banks stock is expected to trade below the 6.49 euro price paid by the state in August when it injected 3.85 billion euros into Monte dei Paschi, implying a large paper loss for the countrys taxpayers. Traders have said the stock may fall below the 4.28 euro level at which it was valued last month during an auction held to set the payment due to investors who bought insurance against the banks default. The share price will be strongly influenced by investors emotive reaction (to losses suffered), Roberto Russo, CEO of broker Assiteca SIM, said. Itll take months for the valuation to reflect mainly the banks financial performance. At 4.28 euros per share, Italian taxpayers would be looking at a paper loss of 1.3 billion euros. The worlds oldest bank had to turn to Rome for help in December 2016 after failing to find buyers for a 5 billion euro ($6 billion) share issue needed to keep it afloat. Weakened by mismanagement, a derivatives scandal and bad loans, Monte dei Paschi was at the center of Italys banking crisis and its rescue removed the biggest threat to the countrys financial system. The potential loss is even larger for former junior bondholders, whose debt has been converted into equity due to European rules that require investors to take some losses before the state can step in. Monte dei Paschi raised 4.47 billion euros through the debt to equity conversion which priced shares at 8.65 euros each. The state is compensating some retail bondholders by buying up shares they received in the conversion for up to 1.5 billion euros and offering in exchange Monte dei Paschis senior debt. Consumer group ADUC on Tuesday urged retail shareholders who did not qualify for the swap to sell their shares. The exchange offer, due to run from Oct. 30 to Nov. 17, will lift the Treasurys stake in the bank to 67.8 percent. Russo calculated it will also increase the average price paid by the state to around 7 euros. A share price of 3.5 euros would value Monte dei Paschi at 0.41 times its assets, broadly comparable to that at which rivals such as Banco BPM ( BAMI.MI ) and BPER Banca ( EMII.MI ) trade. To gain approval for the bailout, Monte dei Paschi agreed a restructuring plan with European authorities that envisages cutting 5,500 jobs and selling 26 billion euros in bad debts to reach a net profit of more than 1.2 billion euros in 2021. Italys stock exchange said when the shares resume trading orders without price limits will be banned and the opening price will be the reference price for the day. Price limits aim to curb volatility. Reporting by Valentina Za and Stephen Jewkes, additional reporting by Gianluca Semeraro.; Editing by Alexander Smith and Jane Merriman\n", "Name: Text, dtype: object\n" ] }, { "data": { "application/vnd.jupyter.widget-view+json": { "model_id": "e913bbb905b74713bc28b5945be7746d", "version_major": 2, "version_minor": 0 }, "text/plain": [ "interactive(children=(IntSlider(value=-1, description='x', max=2, min=-1), Output()), _dom_classes=('widget-in…" ] }, "metadata": {}, "output_type": "display_data" }, { "name": "stdout", "output_type": "stream", "text": [ "0: Other/Unrelated news, 1: Merger,\n", "2: Merger pending/in talks/to be approved or merger rejected/aborted/denied or\n", "Share Deal/Asset Deal/Acquisition or Merger as incidental remark/not main topic/not current\n", "___________________________________________________________________________________________________\n", "\n", "\n", "News article no. 5642:\n", "\n", "HEADLINE:\n", "5642 Ford China sales post strongest growth of year in June\n", "Name: Title, dtype: object\n", "\n", "TEXT:\n", "5642 Autos - Thu Jul 6, 2017 - 2:06am EDT Ford's China sales bounce back in June as tax impact fades FILE PHOTO: Ford Taurus cars are seen during a presentation at the 16th Shanghai International Automobile Industry Exhibition in Shanghai, April 21, 2015. REUTERS/Aly Song/File Photo By Jake Spring and Norihiko Shirouzu - BEIJING BEIJING Ford Motor Co said its China sales surged 15 percent in June, their strongest pace of the year, and it was optimistic about the outlook for the second half as the industry puts the phasing out of a tax cut behind it. Peter Fleet, Ford's Asia-Pacific chief, said the first quarter had been difficult after a purchase tax on small-engine cars rose to 7.5 percent from 5 percent previously. Although Ford's China sales declined 7 percent in the first-half from the same period a year ago, they were up 7 percent in the second quarter. Sales for June alone climbed to more than 100,000 vehicles with deliveries of sedans including the Escort and Mondeo, which were hurt by the tax increase, improving. \"I would expect to see for the third quarter strong single digit percentage growth (for) the industry. That's certainly how it looks to us based on the run rate and how the month of July has opened up,\" Fleet said in an interview. Ford's level of discounting tracked an overall 4 percent price decline for the industry so far this year. \"I'm not interested in driving our prices down to drive market share,\" Fleet said. Year-on-year comparisons will \"get a bit tricky\" in the fourth quarter because sales rose so fast at the end of 2016 as consumers rushed to buy cars before the purchase tax went up, he added. The purchase tax on small-engine cars is set for another increase back to its normal 10 percent rate in 2018. Ford aims to focus its efforts on the sport-utility vehicle market, the fastest growing segment in China, with plans to launch a new version of the EcoSport small SUV later this year. Outside of China, Ford continues to post positive sales growth in Southeast Asia, India and Australia, he said. (Reporting by Jake Spring and Norihiko Shirouzu; Editing by Edwina Gibbs) \n", "Name: Text, dtype: object\n" ] }, { "data": { "application/vnd.jupyter.widget-view+json": { "model_id": "3d8f2ae0baf148449ca0fcd269e62d0d", "version_major": 2, "version_minor": 0 }, "text/plain": [ "interactive(children=(IntSlider(value=-1, description='x', max=2, min=-1), Output()), _dom_classes=('widget-in…" ] }, "metadata": {}, "output_type": "display_data" }, { "name": "stdout", "output_type": "stream", "text": [ "0: Other/Unrelated news, 1: Merger,\n", "2: Merger pending/in talks/to be approved or merger rejected/aborted/denied or\n", "Share Deal/Asset Deal/Acquisition or Merger as incidental remark/not main topic/not current\n", "___________________________________________________________________________________________________\n", "\n", "\n", "News article no. 8396:\n", "\n", "HEADLINE:\n", "8396 City of Buenos Aires repurchases dollar bonds, to issue peso bonds\n", "Name: Title, dtype: object\n", "\n", "TEXT:\n", "8396 BUENOS AIRES, Nov 16 (Reuters) - The city of Buenos Aires has repurchased $458 million of dollar-denominated bonds of differing maturities averaging one year, and on Thursday will issue 10-year peso bonds worth at least $500 million, a local official told Reuters.By doing this we are extending the duration and changing the mix of currencies, Abel Fernndez, undersecretary of finance of the Argentine capital. (Reporting by Eliana Raszewski; Writing by Caroline Stauffer Editing by Chizu Nomiyama) \n", "Name: Text, dtype: object\n" ] }, { "data": { "application/vnd.jupyter.widget-view+json": { "model_id": "7eed09d533c74b98b0e031e91d836134", "version_major": 2, "version_minor": 0 }, "text/plain": [ "interactive(children=(IntSlider(value=-1, description='x', max=2, min=-1), Output()), _dom_classes=('widget-in…" ] }, "metadata": {}, "output_type": "display_data" }, { "name": "stdout", "output_type": "stream", "text": [ "0: Other/Unrelated news, 1: Merger,\n", "2: Merger pending/in talks/to be approved or merger rejected/aborted/denied or\n", "Share Deal/Asset Deal/Acquisition or Merger as incidental remark/not main topic/not current\n", "___________________________________________________________________________________________________\n", "\n", "\n", "News article no. 5812:\n", "\n", "HEADLINE:\n", "5812 Hyperoptic hopes to challenge giants with $130 million funding\n", "Name: Title, dtype: object\n", "\n", "TEXT:\n", "5812 July 27, 2017 / 11:04 PM / 6 hours ago Hyperoptic hopes to challenge giants with $130 million funding Emma Rumney 2 Min Read LONDON (Reuters) - Britain's Hyperoptic, which delivers super-fast broadband via fibre optic cables, has borrowed 100 million pounds to increase the size of its network and take on industry giants like BT. Founded in 2011, Hyperoptic is currently available to 350,000 premises. It said on Friday it had secured a new round of funding from European banks BNP Paribas, ING, RBS and NIBC with a seven-year term. The firm said it will use the funds to increase the size of its network to reach two million premises by 2022, and to a further five million by 2025. \"This investment will enable us to repeat the same fivefold increase in coverage that we have achieved over the last six years,\" said Hyperoptic Chairman Boris Ivanovic. Previous funding totalling 75 million pounds, including 21 million pounds from the European Investment Bank, have seen Hyperoptic's coverage expand across 28 UK cities. In November 2016, the government dedicated 400 million pounds to ramping up the country's fibre-to-home network, seen as the gold standard of broadband, to help boost the economy. The funding round focused on smaller emerging providers, to introduce more competition to the sector. Infrastructure like that used by Hyperoptic allows broadband speeds to surpass 1 gigabyte per second, compared to 76 megabytes per second on BT's network. ($1 = 0.7658 pounds) Reporting by Emma Rumney; Editing by Elaine Hardcastle 0 : 0\n", "Name: Text, dtype: object\n" ] }, { "data": { "application/vnd.jupyter.widget-view+json": { "model_id": "917ba5d8738c4b17b46390b92ab11e8c", "version_major": 2, "version_minor": 0 }, "text/plain": [ "interactive(children=(IntSlider(value=-1, description='x', max=2, min=-1), Output()), _dom_classes=('widget-in…" ] }, "metadata": {}, "output_type": "display_data" }, { "name": "stdout", "output_type": "stream", "text": [ "0: Other/Unrelated news, 1: Merger,\n", "2: Merger pending/in talks/to be approved or merger rejected/aborted/denied or\n", "Share Deal/Asset Deal/Acquisition or Merger as incidental remark/not main topic/not current\n", "___________________________________________________________________________________________________\n", "\n", "\n", "News article no. 8596:\n", "\n", "HEADLINE:\n", "8596 Digital mapping company HERE to acquire ATS in connected-car play\n", "Name: Title, dtype: object\n", "\n", "TEXT:\n", "8596 LONDON, Nov 28 (Reuters) - Digital mapping firm HERE said on Tuesday it plans to acquire Advanced Telematic Systems (ATS), a Germany-based company that provides over the air software updates for connected and autonomous vehicles.The deal, whose terms were not disclosed and which should close in early 2018, would strengthen HEREs position as a provider of location and cloud services for self-driving cars that could hit the road in large numbers within a few years.The acquisition of ATS is a hugely important strategic investment for us to complement our portfolio as a premium automotive cloud provider, said Ralf Herrtwich, SVP Automotive of HERE Technologies.HERE was itself sold to Nokia to Audi, BMW and Daimler in 2015 for more than $2 billion and functions as a research lab for the carmakers as they seek to counter the competitive threat from U.S. electric vehicle maker Tesla.Its mapping technology competes with Alphabets Google Maps and Dutch rival TomTom.HERE, the biggest provider of digital maps for the automotive industry, spent 640 million euros ($760 million) on research and development in 2016, or around 55 percent of its sales of 1.16 billion euros, according to documents reviewed by Reuters. reut.rs/2i0MTOJOver-the-air technology, or OTA, is in increasing demand as companies developing cars as digital devices and autonomous vehicles seek to keep their technology updated and user experience fresh.It is similar to the way smartphones receive operating system and application updates over mobile networks, and has been pioneered by Tesla for updates to its car models. reut.rs/2zMLfeNSecurity against hacker attacks is vital for such connected cars, and ATSs flagship product, OTA Plus v3, is supported by Uptane, a security framework that is being developed by the U.S. Department of Homeland Security.HERE says its plans for ATSs OTA technology includes both developing it as a standalone product and using it to boost other parts of its business that could also support secure map and software updates for other connected devices including drones. ($1 = 0.8420 euros) (Reporting by Jamillah Knowles; Editing by Douglas Busvine/Mark Heinrich) \n", "Name: Text, dtype: object\n" ] }, { "data": { "application/vnd.jupyter.widget-view+json": { "model_id": "d7ddc3abd0d34fff9cde9e468cabd41f", "version_major": 2, "version_minor": 0 }, "text/plain": [ "interactive(children=(IntSlider(value=-1, description='x', max=2, min=-1), Output()), _dom_classes=('widget-in…" ] }, "metadata": {}, "output_type": "display_data" }, { "name": "stdout", "output_type": "stream", "text": [ "0: Other/Unrelated news, 1: Merger,\n", "2: Merger pending/in talks/to be approved or merger rejected/aborted/denied or\n", "Share Deal/Asset Deal/Acquisition or Merger as incidental remark/not main topic/not current\n", "___________________________________________________________________________________________________\n", "\n", "\n", "News article no. 4110:\n", "\n", "HEADLINE:\n", "4110 GM, Ford and Toyota all post U.S. sales declines in April\n", "Name: Title, dtype: object\n", "\n", "TEXT:\n", "4110 Business 26pm EDT Wall Street fears end of boom as automakers' April U.S. sales drop FILE PHOTO - Cars are seen in a parking lot in Palm Springs, California April 13, 2015. Picture taken April 13, 2015. REUTERS/Lucy Nicholson/File Photo By Nick Carey and Joseph White - DETROIT DETROIT Major automakers on Tuesday posted declines in U.S. new vehicle sales for April in a sign the long boom cycle that lifted the American auto industry to record sales last year is losing steam, sending carmaker stocks down. The drop in sales versus April 2016 came on the heels of a disappointing March, which automakers had shrugged off as just a bad month. But two straight weak months has heightened Wall Street worries the cyclical industry is on a downward swing after a nearly uninterrupted boom since the Great Recession's end in 2010. Auto sales were a drag on U.S. first-quarter gross domestic product, with the economy growing at an annual rate of just 0.7 percent according to an advance estimate published by the Commerce Department last Friday. Excluding the auto sector the GDP growth rate would have been 1.2 percent. Industry consultant Autodata put the industry's seasonally adjusted annualized rate of sales at 16.88 million units for April, below the average of 17.2 million units predicted by analysts polled by Reuters. General Motors Co ( GM.N ) shares fell 2.9 percent while Ford Motor Co ( F.N ) slid 4.3 percent and Fiat Chrysler Automobiles NV's U.S.-traded ( FCHA.MI )( FCAU.N ) shares tumbled 4.2 percent. The U.S. auto industry faces multiple challenges. Sales are slipping and vehicle inventory levels have risen even as carmakers have hiked discounts to lure customers. A flood of used vehicles from the boom cycle are increasingly competing with new cars. The question for automakers: How much and for how long to curtail production this summer, which will result in worker layoffs? To bring down stocks of unsold vehicles, the Detroit automakers need to cut production, and offer more discounts without creating \"an incentives war,\" said Mark Wakefield, head of the North American automotive practice for AlixPartners in Southfield, Michigan. \"We see multiple weeks (of production) being taken out on the car side,\" he said, \"and some softness on the truck side.\" Rival automakers will be watching each other to see if one is cutting prices to gain market share from another, he said, instead of just clearing inventory. INVESTORS DIGEST BAD NEWS Just last week GM reported a record first-quarter profit, but that had almost zero impact on the automaker's stock. The iconic carmaker, whose own interest was once conflated with that of America's, has slipped behind luxury carmaker Tesla Inc ( TSLA.O ) in terms of valuation. On Tuesday, Tesla's market value was $53 billion, nearly $3 billion larger than GM's. GM said April sales fell 6 percent, but crossovers and trucks continued to see strong growth. Sales at Ford, the No. 2 U.S. automaker by sales after GM, fell 7.2 percent in April, while Toyota ( 7203.T )( TM.N ) recorded a drop of 4.4 percent and FCA sales were off 7 percent. U.S. consumers have increasingly shunned cars in favor of larger crossovers, SUVs and trucks. While automakers posted steep sales declines for cars in April, SUVs, crossovers and trucks were either up or off only slightly. New vehicle sales hit a record 17.55 million units in 2016. But as the consumer appetite for new cars has waned, automakers have leaned more heavily on discounts. GM said its consumer discounts were equivalent to 11.7 percent of the transaction price. The automaker also said its inventory level rose to 100 days of supply at the end of April versus around 70 days at the end of 2016. Recent levels have worried analysts, and GM has promised inventories will be down by the end of 2017. On a conference call Mark LaNeve, Ford's vice president for U.S. marketing, sales and service, insisted the industry was \"relatively constrained\" in offering discounts in April. Ford car sales dropped 21 percent and trucks declined 4.2 percent, while SUV sales rose 1.2 percent. Toyota's luxury Lexus brand posted an 11.1 percent slide. U.S. car sales at the Japanese automaker were down 10.4 percent, while truck sales were up 2.1 percent. Nissan Motor Co Ltd ( 7201.T ) said April U.S. sales were off 1.5 percent, but SUVs, crossovers and trucks jumped 11 percent. Honda Motor Co Ltd ( 7267.T )( HMC.N ) reported a 7 percent decline in sales in April, with cars off 7.4 percent and trucks up just 0.8 percent. (Editing by Jeffrey Benkoe and Lisa Shumaker)\n", "Name: Text, dtype: object\n" ] }, { "data": { "application/vnd.jupyter.widget-view+json": { "model_id": "fb6563e03ac641f0bb69d8d5a6f74d87", "version_major": 2, "version_minor": 0 }, "text/plain": [ "interactive(children=(IntSlider(value=-1, description='x', max=2, min=-1), Output()), _dom_classes=('widget-in…" ] }, "metadata": {}, "output_type": "display_data" }, { "name": "stdout", "output_type": "stream", "text": [ "0: Other/Unrelated news, 1: Merger,\n", "2: Merger pending/in talks/to be approved or merger rejected/aborted/denied or\n", "Share Deal/Asset Deal/Acquisition or Merger as incidental remark/not main topic/not current\n", "___________________________________________________________________________________________________\n", "\n", "\n", "News article no. 7583:\n", "\n", "HEADLINE:\n", "7583 Sears Canada wins court nod to extend credit protection to Nov 7\n", "Name: Title, dtype: object\n", "\n", "TEXT:\n", "7583 TORONTO, Oct 4 (Reuters) - Sears Canada won court approval to extend creditor protection until Nov. 7, the Ontario Superior Court of Justice ruled on Wednesday.The ruling gives the 65 year-old retail chain more time to consider whether to liquidate all its assets or pursue a deal to stay in business.The company, which in 2012 was spun off from U.S. retailer Sears Holdings Corp, filed for creditor protection in June and laid out a restructuring plan that included cutting 2,900 jobs and closing roughly a quarter of its stores. . (Reporting By Nichola Saminather; editing by Diane Craft) \n", "Name: Text, dtype: object\n" ] }, { "data": { "application/vnd.jupyter.widget-view+json": { "model_id": "8c9848caf3f04e858194bc246315c016", "version_major": 2, "version_minor": 0 }, "text/plain": [ "interactive(children=(IntSlider(value=-1, description='x', max=2, min=-1), Output()), _dom_classes=('widget-in…" ] }, "metadata": {}, "output_type": "display_data" }, { "name": "stdout", "output_type": "stream", "text": [ "0: Other/Unrelated news, 1: Merger,\n", "2: Merger pending/in talks/to be approved or merger rejected/aborted/denied or\n", "Share Deal/Asset Deal/Acquisition or Merger as incidental remark/not main topic/not current\n", "___________________________________________________________________________________________________\n", "\n", "\n", "News article no. 1770:\n", "\n", "HEADLINE:\n", "1770 Alcoa merges business units, names new aluminum unit head\n", "Name: Title, dtype: object\n", "\n", "TEXT:\n", "1770 Aluminum producer Alcoa Corp ( AA.N ) named a new head for its aluminum business on Thursday and said it would consolidate its business units into three divisions from six, to increase efficiency and cut costs.The three units will focus on aluminum, alumina and bauxite.The aluminum smelting, cast products and rolled products businesses, along with the majority of its energy business assets, will be combined into the new aluminum unit, Alcoa said.The company said Tim Reyes, who has since 2015 been president of Alcoa cast products - a unit that produces differentiated aluminum products - will head the new aluminum business.Martin Briere, who has been president of the aluminum unit focused on smelting since 2014, will leave the company, Alcoa said.Alcoa last year split into two entities. One company kept the Alcoa name and focuses on the traditional smelting business. The other, Arconic Inc ( ARNC.N ), specializes in higher-end aluminum and titanium alloys for the automotive, aerospace and construction industries.Alcoa expects a 4 percent growth in global aluminum demand this year, even as the market remains modestly over supplied, while bauxite and alumina markets are expected to be relatively balanced.The company's shares were largely unchanged at $37.93 in morning trade on the New York Stock Exchange.(Reporting by Swetha Gopinath in Bengaluru; Editing by Sai Sachin Ravikumar)\n", "Name: Text, dtype: object\n" ] }, { "data": { "application/vnd.jupyter.widget-view+json": { "model_id": "b13b2fde93a04a7da0203d18117d3c1e", "version_major": 2, "version_minor": 0 }, "text/plain": [ "interactive(children=(IntSlider(value=-1, description='x', max=2, min=-1), Output()), _dom_classes=('widget-in…" ] }, "metadata": {}, "output_type": "display_data" }, { "name": "stdout", "output_type": "stream", "text": [ "0: Other/Unrelated news, 1: Merger,\n", "2: Merger pending/in talks/to be approved or merger rejected/aborted/denied or\n", "Share Deal/Asset Deal/Acquisition or Merger as incidental remark/not main topic/not current\n", "___________________________________________________________________________________________________\n", "\n", "\n", "News article no. 9662:\n", "\n", "HEADLINE:\n", "9662 Qualcomm files new patent infringement complaints against Apple\n", "Name: Title, dtype: object\n", "\n", "TEXT:\n", "9662 November 30, 2017 / 10:53 PM / Updated 4 hours ago Qualcomm files new patent infringement complaints against Apple Stephen Nellis , Ankit Ajmera 3 Min Read (Reuters) - Qualcomm Inc ( QCOM.O ) said on Thursday it filed three new patent infringement complaints against Apple Inc ( AAPL.O ), saying there were 16 more of its patents that Apple was using in its iPhones. A sign on the Qualcomm campus is seen, as chip maker Broadcom Ltd announced an unsolicited bid to buy peer Qualcomm Inc for $103 billion, in San Diego, California, U.S. November 6, 2017. REUTERS/Mike Blake The new complaints represent the latest development in a long-standing dispute and follows Apples countersuit on Wednesday against Qualcomm, which alleged that Qualcomms Snapdragon mobile phone chips infringed on Apple patents. Apple declined to comment on the new cases, referring to its earlier claims in its Wednesday filing that the company has developed its own technology and patents to power its iPhones. Qualcomm in July accused Apple of infringing several patents related to helping mobile phones get better battery life. That case accompanied a complaint with the U.S. International Trade Commission seeking to ban the import of Apple iPhones that use competing Intel Corp ( INTC.O ) chips because of the alleged patent violations. A woman looks at the screen of her mobile phone in front of an Apple logo outside its store in Shanghai, China July 30, 2017. REUTERS/Aly Song The three cases filed Thursday were all filed in U.S. District Court for the Southern District of California in San Diego. One of the cases is a companion civil lawsuit to a new complaint also filed Thursday with the ITC that seeks the same remedy of banning iPhones with Intel chips. The other two cases are civil patent infringement lawsuits. The dispute between Apple and Qualcomm over patents is part of a wide-ranging legal war between the two companies. In January, Apple sued Qualcomm for nearly $1 billion in patent royalty rebates that Qualcomm allegedly withheld from Apple. In a related suit, Qualcomm sued the contract manufacturers that make Apples phones, but Apple joined in to defend them. Qualcomm in November sued Apple over an alleged breach of a software agreement between the two companies. Apple emailed Qualcomm to request highly confidential information about how its chips work on an unidentified wireless carriers network, Qualcomm alleged, but Apple had copied an Intel engineer in the email for information. Separately, Qualcomm is facing a lawsuit from the U.S. Federal Trade Commission over many of the same pricing practices Apple names in its complaints. Reporting by Ankit Ajmera in Bengaluru and Stephen Nellis in San Francisco; Editing by Sai Sachin Ravikumar and Chris Reese\n", "Name: Text, dtype: object\n" ] }, { "data": { "application/vnd.jupyter.widget-view+json": { "model_id": "d4037c5884954be3865aa7d8dbf8395d", "version_major": 2, "version_minor": 0 }, "text/plain": [ "interactive(children=(IntSlider(value=-1, description='x', max=2, min=-1), Output()), _dom_classes=('widget-in…" ] }, "metadata": {}, "output_type": "display_data" }, { "name": "stdout", "output_type": "stream", "text": [ "0: Other/Unrelated news, 1: Merger,\n", "2: Merger pending/in talks/to be approved or merger rejected/aborted/denied or\n", "Share Deal/Asset Deal/Acquisition or Merger as incidental remark/not main topic/not current\n", "___________________________________________________________________________________________________\n", "\n", "\n", "News article no. 6017:\n", "\n", "HEADLINE:\n", "6017 UPDATE 2-Copec's Eldorado bid faces three rival offers, sources say\n", "Name: Title, dtype: object\n", "\n", "TEXT:\n", "6017 SAO PAULO (Reuters) - Chilean pulpmaker Empresas Copec SA's bid to buy rival Eldorado Brasil Celulose SA, which collapsed early on Friday because of price disagreements, faces three competing offers, two people with direct knowledge of the situation said.Following Thursday's end of exclusive talks with Copec unit Arauco, Eldorado parent J&F Investimentos SA has opened a new bidding process for the company, said the sources. Proposals by Indonesia's Asia Pacific Resources International Holdings Ltd, Brazil's Fibria SA and an unidentified Asian firm have been submitted, they added.Fibria, the world's No. 1 eucalyptus pulp producer, sees potentially significant cost savings from an acquisition but could face tough antitrust scrutiny in Brazil, one of the people said. Copec's Arauco would have to join a new competitive bidding to buy the Eldorado, the other source added.The sources requested anonymity to discuss the matter freely.Reuters reported earlier on Friday that talks between Copec's Arauco and Eldorado collapsed because the two sides failed to agree on a price. Copec failed to cut Eldorado's price tag, the people said.Eldorado's enterprise value, which includes cash, market capitalization, debt and minority interests, is slightly above 10 billion reais ($3.2 billion), the sources told Reuters on Friday. Eldorado's debt hovers around 8 billion reais, and J&F's lenders are pressing for a sale, the sources said in May.Arauco declined to comment. The other companies did not have an immediate comment.Buying Eldorado could allow either foreign bidder apart from Fibria to expand in Brazil, where lawmakers have discussed easing sales of land to foreign investors. Land in Brazil offers global pulpmakers advantages, such as more-productive soil than Scandinavia and Chile.Shares of Santiago-based Copec posted their highest gain in three months, adding 2.4 percent at 7,980 Chilean pesos. Fibria rose 2.4 percent to 34.58 reais.Brazil's billionaire Batista family controls 81 percent of Eldorado through J&F, with the two pension funds owning the rest. J&F controls the Batistas' stake in meatpacking giant JBS SA and companies in the home cleaning, banking and energy industries.Eldorado is among the flagship assets J&F put up for sale after agreeing to pay a record-setting 10.3 billion-real fine for the Batista family's role in corruption scandals that have hurt President Michel Temer's administration.Reporting by Guillermo Parra-Bernal and Tatiana Bautzer; Additional reporting by Antonio de la Jara in Santiago; Editing by Richard Chang\n", "Name: Text, dtype: object\n" ] }, { "data": { "application/vnd.jupyter.widget-view+json": { "model_id": "64e3390e847a417986c1ea111a789fcc", "version_major": 2, "version_minor": 0 }, "text/plain": [ "interactive(children=(IntSlider(value=-1, description='x', max=2, min=-1), Output()), _dom_classes=('widget-in…" ] }, "metadata": {}, "output_type": "display_data" }, { "name": "stdout", "output_type": "stream", "text": [ "0: Other/Unrelated news, 1: Merger,\n", "2: Merger pending/in talks/to be approved or merger rejected/aborted/denied or\n", "Share Deal/Asset Deal/Acquisition or Merger as incidental remark/not main topic/not current\n", "___________________________________________________________________________________________________\n", "\n", "\n", "News article no. 4847:\n", "\n", "HEADLINE:\n", "4847 Carigali and Ecopetrol win block in Mexico shallow water oil auction\n", "Name: Title, dtype: object\n", "\n", "TEXT:\n", "4847 43pm EDT Carigali and Ecopetrol win block in Mexico shallow water oil auction MEXICO CITY, June 19 A consortium of Malaysia's PC Carigali and Colombia's Ecopetrol made the winning bid for the sixth shallow water oil and gas block put up for auction on Monday, Mexico's oil regulator said. Block 6 is off the Gulf coast state of Veracruz, and includes estimated prospective resources of up to 516 million barrels of oil covering an area of 216 square miles (559 sq km). (Reporting by Adriana Barrera) EMERGING MARKETS-Brazil stocks track commodities higher, political worries linger By Bruno Federowski SAO PAULO, June 19 Brazilian stocks rose on Monday, supported by shares of miners and planemaker Embraer SA, though lingering concerns that a political crisis could delay structural reforms kept a lid on gains. Shares of miner Vale SA added the most points to Brazil's benchmark Bovespa stock index, tracking iron ore futures higher. Embraer SA was the biggest gainer on the Bovespa as traders bet on fresh orders for the jetmaker at the start of the P BUENOS AIRES/LONDON, June 19 Argentina has offered a 100-year bond in U.S. dollars, the finance ministry said on Monday, only just over a year after the nation emerged from default. 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": "9b5b87c69d57416ba3328cbbc577e79d", "version_major": 2, "version_minor": 0 }, "text/plain": [ "interactive(children=(IntSlider(value=-1, description='x', max=2, min=-1), Output()), _dom_classes=('widget-in…" ] }, "metadata": {}, "output_type": "display_data" }, { "name": "stdout", "output_type": "stream", "text": [ "0: Other/Unrelated news, 1: Merger,\n", "2: Merger pending/in talks/to be approved or merger rejected/aborted/denied or\n", "Share Deal/Asset Deal/Acquisition or Merger as incidental remark/not main topic/not current\n", "___________________________________________________________________________________________________\n", "\n", "\n", "News article no. 600:\n", "\n", "HEADLINE:\n", "600 UPDATE 1-EU states should guarantee minimum income for citizens - Juncker\n", "Name: Title, dtype: object\n", "\n", "TEXT:\n", "600 Financials 11pm EST UPDATE 1-EU states should guarantee minimum income for citizens - Juncker (writes through, adds quotes, background) By Francesco Guarascio BRUSSELS Jan 23 The European Commission wants all EU member states to introduce minimum wages and incomes for their workers and unemployed, the head of the EU executive president said on Monday, in an effort to combat growing social inequality and poverty. The Commission, which has limited powers in the area of social policy, is preparing an overhaul of the EU's functions and targets and wants it to include tackling social and economic injustices that have often been successfully exploited by right-wing eurosceptic parties across the 28-nation bloc. \"There should be a minimum salary in each country of the European Union,\" Jean-Claude Juncker told a conference on social rights in Brussels, adding that those seeking work should also have a guaranteed minimum level of income. Juncker, a former prime minister of Luxembourg, said each state should be free to set its own minimum wage, but added: \"There is a level of dignity we have to respect.\" Living standards and costs vary widely across the EU, and some parts of the EU, especially in southern Europe, are suffering very high levels of unemployment. Juncker urged companies to adopt a minimum wage to help counter \"social dumping\" - a term that describes the employment of cheaper labour, sometimes involving migrants or moving production to lower-wage countries. Juncker said reforming EU social policy should start within the bloc's 19-country euro zone, which already shares a single currency and fiscal supervision. The Commission will present its reform proposals in the coming weeks, before a summit in Rome on March 25 that will celebrate the 60th anniversary of the Treaty of Rome, which laid the foundations of today's European Union. (Reporting by Francesco Guarascio; Editing by Gareth Jones) Next In Financials\n", "Name: Text, dtype: object\n" ] }, { "data": { "application/vnd.jupyter.widget-view+json": { "model_id": "21cdf54ba76c4b328745cd30338387ad", "version_major": 2, "version_minor": 0 }, "text/plain": [ "interactive(children=(IntSlider(value=-1, description='x', max=2, min=-1), Output()), _dom_classes=('widget-in…" ] }, "metadata": {}, "output_type": "display_data" }, { "name": "stdout", "output_type": "stream", "text": [ "0: Other/Unrelated news, 1: Merger,\n", "2: Merger pending/in talks/to be approved or merger rejected/aborted/denied or\n", "Share Deal/Asset Deal/Acquisition or Merger as incidental remark/not main topic/not current\n", "___________________________________________________________________________________________________\n", "\n", "\n", "News article no. 7093:\n", "\n", "HEADLINE:\n", "7093 BRIEF-Aveva set to unveil 3 billion stg Schneider merger- source\n", "Name: Title, dtype: object\n", "\n", "TEXT:\n", "7093 Sept 4 (Reuters) -* Aveva set to unveil 3 billion stg Schneider merger; deal structured as reverse takeover that will see Schneider take majority stake in combined co -source* Aveva shareholders will receive more than 800 pence share in cash. Combined entity will have an enterprise value of more than 3 billion pounds- source \n", "Name: Text, dtype: object\n" ] }, { "data": { "application/vnd.jupyter.widget-view+json": { "model_id": "69bd135a10604109990f817eef44879e", "version_major": 2, "version_minor": 0 }, "text/plain": [ "interactive(children=(IntSlider(value=-1, description='x', max=2, min=-1), Output()), _dom_classes=('widget-in…" ] }, "metadata": {}, "output_type": "display_data" }, { "name": "stdout", "output_type": "stream", "text": [ "0: Other/Unrelated news, 1: Merger,\n", "2: Merger pending/in talks/to be approved or merger rejected/aborted/denied or\n", "Share Deal/Asset Deal/Acquisition or Merger as incidental remark/not main topic/not current\n", "___________________________________________________________________________________________________\n", "\n", "\n", "News article no. 1493:\n", "\n", "HEADLINE:\n", "1493 Rolls-Royce loss lies heavy on FTSE 100\n", "Name: Title, dtype: object\n", "\n", "TEXT:\n", "1493 12am GMT Rolls-Royce loss lies heavy on FTSE 100 People walk through the lobby of the London Stock Exchange in London, Britain August 25, 2015. REUTERS/Suzanne Plunkett/File photo - RTSS1J0 By Kit Rees - LONDON LONDON Britain's top share index traded flat on Tuesday, pausing after a five-day winning streak as Rolls-Royce ( RR.L ) tumbled after reporting a record loss. The blue chip FTSE 100 .FTSE index was flat in percentage terms at 7,279.54 points by 0946 GMT in choppy trade, having hit its highest level since mid-January in the previous session. Shares in engineering firm Rolls-Royce ( RR.L ) dropped 4.9 percent after the company announced a 4.6 billion pound loss, hit by a fine to settle bribery charges and by losses on its currency hedges. The stock was the most actively traded on the FTSE 100, with more than 87 percent of its 30-day average volume traded in the first hour of the session. Fellow defence firm BAE Systems ( BAES.L ) also fell nearly 2 percent. Analysts cited concerns about Rolls-Royce's outlook as putting pressure on the shares. \"Some investors may also have a restive reaction to the rather dry and narrow outlook comments, projecting only 'modest performance improvements' and similar free cash flow generation as in 2016,\" said Ken Odeluga, market analyst at City Index. Improved earnings, however, buoyed shares in travel firm TUI ( TUIT.L ), which jumped 4.8 percent and was on track for its best day since early July 2016. TUI reported a narrower loss for the first quarter of 66.7 million euros, a 17 percent improvement on last year, and said it aimed to start offering holidays to customers from countries such as China, India, Spain and Italy. Analysts cited the sale of its specialist holiday arm Travelopia to KKR ( KKR.N ) in a $407 million deal as a further boost to its shares. \"While we have reservations about the outlook for source markets, we are attracted to the increased diversification and the steps TUI that has taken to drive growth elsewhere in the business,\" analysts at Berenberg said in a note. Among smaller companies, a solid set of results boosted shares in Acacia Mining ( ACAA.L ), which rallied 6.7 percent and was the biggest mid cap gainer .FTMC . The gold miner said that production in 2017 would rise 40 percent, and proposed more than doubling its dividend. (Reporting by Kit Rees; Editing by Mark Trevelyan) \n", "Name: Text, dtype: object\n" ] }, { "data": { "application/vnd.jupyter.widget-view+json": { "model_id": "705bcf0b569740a8b6c88db68171ffe1", "version_major": 2, "version_minor": 0 }, "text/plain": [ "interactive(children=(IntSlider(value=-1, description='x', max=2, min=-1), Output()), _dom_classes=('widget-in…" ] }, "metadata": {}, "output_type": "display_data" }, { "name": "stdout", "output_type": "stream", "text": [ "0: Other/Unrelated news, 1: Merger,\n", "2: Merger pending/in talks/to be approved or merger rejected/aborted/denied or\n", "Share Deal/Asset Deal/Acquisition or Merger as incidental remark/not main topic/not current\n", "___________________________________________________________________________________________________\n", "\n", "\n", "News article no. 3415:\n", "\n", "HEADLINE:\n", "3415 UK funds bullish on eurozone equities as political risk recedes - Reuters poll\n", "Name: Title, dtype: object\n", "\n", "TEXT:\n", "3415 Top News - Wed May 31, 2017 - 12:14pm BST UK funds bullish on eurozone equities as political risk recedes - Reuters poll Dealers work on a trading floor at BGC Partners in the Canary Wharf business district in London, Britain September 12, 2016. REUTERS/Toby Melville By Claire Milhench - LONDON LONDON British fund managers have raised their allocations to eurozone equities to the highest level since August 2016 after an emphatic French election win for centrist Emmanuel Macron pushed back the threat of a European Union break-up. Macron was elected French president on May 7, defeating his far-right rival Marine Le Pen who had threatened to take France out of the EU and the euro. This triggered a relief rally in European equities, which look set to end May with their fourth straight month of gains . A Reuters poll of 15 UK-based wealth managers and chief investment officers, conducted between May 15 and 25, found investors almost unanimously bullish on European stocks. \"Political risk in 2017 has all but gone, with the German election in October appearing to be a foregone conclusion, so allied with the recovery being seen in the real Eurozone economy this is surely positive for European equities,\" said Jonathan Webster-Smith, head of the multi-asset team at Brooks Macdonald. Within their global equity portfolios, fund managers raised their eurozone exposure by one percentage point to 16.1 percent, whilst trimming U.S. allocations from 31.3 percent to 30.1 percent, the lowest level since August 2016. Poll participants who answered a special question on whether there was further upside for European equities were unanimous in their agreement. \"There is significant potential for catch up relative to the U.S. due to compelling valuations, a rebound in European economic growth that we think is sustainable, and resurgent corporate earnings,\" said David Vickers, senior portfolio manager at Russell Investments. Even managers who were sceptical about the short-term outlook for European equities, given the magnitude of their recent outperformance, were optimistic about the medium term. \"The European business cycle tends to lag the U.S. cycle by about six months and economic data in Europe is likely to look relatively good for a while,\" said Trevor Greetham, head of multi-asset at Royal London Asset Management. Overall, investors raised equities to 49.1 percent of their global balanced portfolios, the highest since January 2016. Greetham predicted monetary policy would remain loose, noting there was little sign of the surge in wages that marks the beginning of the end of an expansion. STERLING BOUNCE Investors were more cautious on UK stocks and bonds in the run-up to a snap general election called for June 8. UK stocks were cut to 23.7 percent of global equity portfolios, and UK bonds fell to 26.7 percent of global bond portfolios, from 29.5 percent in April. About two-thirds of those who answered a special question on sterling thought the pound would rise if the Conservative party won with an increased majority as this would likely strengthen Prime Minister Theresa May's hand in the Brexit negotiations. Sterling GBP=D3 hit an eight-month high in mid-May, having gained 3 percent against the dollar in April after the snap election was announced. That left some wondering if the rally had much further to run. Ken Dickson, investment director at Standard Life Investments, expected sterling to rise if the Conservatives increase their majority but added that \"the reaction will be modest as the market already expects an improvement in the governing party's working majority\". He also warned there might not be a linear relationship between the size of the majority and any subsequent rally in sterling: \"Backbenchers tend to be more 'misbehaved' when governments have super-large majorities.\" Webster-Smith of Brooks Macdonald sees upcoming Brexit negotiations as key, arguing that a quick agreement over the 'exit fee' being demanded of the UK would bode well for a trade agreement with the EU and subsequently for sterling. But he added: \"The EU have promised full transparency in the talks which could enhance sterling volatility depending on the news being positive or negative.\" (Editing by Mark Trevelyan)\n", "Name: Text, dtype: object\n" ] }, { "data": { "application/vnd.jupyter.widget-view+json": { "model_id": "0c687ef53bc24ef28a42cdf605edf0ae", "version_major": 2, "version_minor": 0 }, "text/plain": [ "interactive(children=(IntSlider(value=-1, description='x', max=2, min=-1), Output()), _dom_classes=('widget-in…" ] }, "metadata": {}, "output_type": "display_data" }, { "name": "stdout", "output_type": "stream", "text": [ "0: Other/Unrelated news, 1: Merger,\n", "2: Merger pending/in talks/to be approved or merger rejected/aborted/denied or\n", "Share Deal/Asset Deal/Acquisition or Merger as incidental remark/not main topic/not current\n", "___________________________________________________________________________________________________\n", "\n", "\n" ] } ], "source": [ "for index in label_next:\n", " show_next(index)" ] }, { "cell_type": "code", "execution_count": 14, "metadata": {}, "outputs": [ { "name": "stdout", "output_type": "stream", "text": [ "This round (no. 1):\n", "Number of labeled articles: 100\n", "Number of unlabeled articles: 9900\n" ] } ], "source": [ "for index in label_next:\n", " # save number of labeling round\n", " df.loc[df['Index'] == index, 'Round'] = m" ] }, { "cell_type": "code", "execution_count": 20, "metadata": {}, "outputs": [], "source": [ "# save as 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": [ "THE ITERATION PART BEGINS HERE:" ] }, { "cell_type": "markdown", "metadata": {}, "source": [ "## Part II: Model building and automated labeling\n", "\n", "We build a classification model and check if it is possible to label articles automatically." ] }, { "cell_type": "code", "execution_count": 101, "metadata": {}, "outputs": [ { "name": "stdout", "output_type": "stream", "text": [ "This round number: 3\n", "Number of manually labeled articles: 400\n", "Number of manually unlabeled articles: 9600\n" ] } ], "source": [ "# read current data set from csv\n", "df = pd.read_csv('../data/interactive_labeling_round_3_temp.csv',\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('This 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": 102, "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 8568 features.\n", "\n", "# MNB: fit training data and calculate matrix...\n", "\n", "# BOW: calculating matrix...\n", "\n", "# BOW: calculating frequencies...\n", "\n", "# MNB: transform testing data to matrix...\n", "\n", "# BOW: extracting all words from articles...\n", "\n", "# BOW: calculating matrix...\n", "\n", "# BOW: calculating frequencies...\n", "\n" ] }, { "ename": "KeyboardInterrupt", "evalue": "", "output_type": "error", "traceback": [ "\u001b[1;31m---------------------------------------------------------------------------\u001b[0m", "\u001b[1;31mKeyboardInterrupt\u001b[0m Traceback (most recent call last)", "\u001b[1;32m\u001b[0m in \u001b[0;36m\u001b[1;34m\u001b[0m\n", "\u001b[1;32m~\\BA\\Python\\src\\MNBInteractive.py\u001b[0m in \u001b[0;36mestimate_mnb\u001b[1;34m(labeled_data, unlabeled_data, sklearn_cv)\u001b[0m\n\u001b[0;32m 82\u001b[0m \u001b[0mextracted_words\u001b[0m \u001b[1;33m=\u001b[0m \u001b[0mBagOfWords\u001b[0m\u001b[1;33m.\u001b[0m\u001b[0mextract_all_words\u001b[0m\u001b[1;33m(\u001b[0m\u001b[0mU\u001b[0m\u001b[1;33m)\u001b[0m\u001b[1;33m\u001b[0m\u001b[1;33m\u001b[0m\u001b[0m\n\u001b[0;32m 83\u001b[0m testing_data = BagOfWords.make_matrix(extracted_words,\n\u001b[1;32m---> 84\u001b[1;33m vocab, rel_freq, stemming)\n\u001b[0m\u001b[0;32m 85\u001b[0m \u001b[1;33m\u001b[0m\u001b[0m\n\u001b[0;32m 86\u001b[0m \u001b[1;31m#fit classifier\u001b[0m\u001b[1;33m\u001b[0m\u001b[1;33m\u001b[0m\u001b[1;33m\u001b[0m\u001b[0m\n", "\u001b[1;32m~\\BA\\Python\\src\\BagOfWords.py\u001b[0m in \u001b[0;36mmake_matrix\u001b[1;34m(extracted_words, vocab, rel_freq, stemming)\u001b[0m\n\u001b[0;32m 121\u001b[0m \u001b[1;32melse\u001b[0m\u001b[1;33m:\u001b[0m\u001b[1;33m\u001b[0m\u001b[1;33m\u001b[0m\u001b[0m\n\u001b[0;32m 122\u001b[0m \u001b[1;31m# absolute word frequency\u001b[0m\u001b[1;33m\u001b[0m\u001b[1;33m\u001b[0m\u001b[1;33m\u001b[0m\u001b[0m\n\u001b[1;32m--> 123\u001b[1;33m \u001b[0mdf_matrix\u001b[0m\u001b[1;33m.\u001b[0m\u001b[0mloc\u001b[0m\u001b[1;33m[\u001b[0m\u001b[0mi\u001b[0m\u001b[1;33m]\u001b[0m\u001b[1;33m[\u001b[0m\u001b[0mv\u001b[0m\u001b[1;33m]\u001b[0m \u001b[1;33m+=\u001b[0m \u001b[1;36m1\u001b[0m\u001b[1;33m\u001b[0m\u001b[1;33m\u001b[0m\u001b[0m\n\u001b[0m\u001b[0;32m 124\u001b[0m \u001b[1;32mreturn\u001b[0m \u001b[0mdf_matrix\u001b[0m\u001b[1;33m\u001b[0m\u001b[1;33m\u001b[0m\u001b[0m\n\u001b[0;32m 125\u001b[0m \u001b[1;33m\u001b[0m\u001b[0m\n", "\u001b[1;32m~\\Anaconda3\\lib\\site-packages\\pandas\\core\\indexing.py\u001b[0m in \u001b[0;36m__getitem__\u001b[1;34m(self, key)\u001b[0m\n\u001b[0;32m 1476\u001b[0m \u001b[1;33m\u001b[0m\u001b[0m\n\u001b[0;32m 1477\u001b[0m \u001b[0mmaybe_callable\u001b[0m \u001b[1;33m=\u001b[0m \u001b[0mcom\u001b[0m\u001b[1;33m.\u001b[0m\u001b[0m_apply_if_callable\u001b[0m\u001b[1;33m(\u001b[0m\u001b[0mkey\u001b[0m\u001b[1;33m,\u001b[0m \u001b[0mself\u001b[0m\u001b[1;33m.\u001b[0m\u001b[0mobj\u001b[0m\u001b[1;33m)\u001b[0m\u001b[1;33m\u001b[0m\u001b[1;33m\u001b[0m\u001b[0m\n\u001b[1;32m-> 1478\u001b[1;33m \u001b[1;32mreturn\u001b[0m \u001b[0mself\u001b[0m\u001b[1;33m.\u001b[0m\u001b[0m_getitem_axis\u001b[0m\u001b[1;33m(\u001b[0m\u001b[0mmaybe_callable\u001b[0m\u001b[1;33m,\u001b[0m \u001b[0maxis\u001b[0m\u001b[1;33m=\u001b[0m\u001b[0maxis\u001b[0m\u001b[1;33m)\u001b[0m\u001b[1;33m\u001b[0m\u001b[1;33m\u001b[0m\u001b[0m\n\u001b[0m\u001b[0;32m 1479\u001b[0m \u001b[1;33m\u001b[0m\u001b[0m\n\u001b[0;32m 1480\u001b[0m \u001b[1;32mdef\u001b[0m \u001b[0m_is_scalar_access\u001b[0m\u001b[1;33m(\u001b[0m\u001b[0mself\u001b[0m\u001b[1;33m,\u001b[0m \u001b[0mkey\u001b[0m\u001b[1;33m)\u001b[0m\u001b[1;33m:\u001b[0m\u001b[1;33m\u001b[0m\u001b[1;33m\u001b[0m\u001b[0m\n", "\u001b[1;32m~\\Anaconda3\\lib\\site-packages\\pandas\\core\\indexing.py\u001b[0m in \u001b[0;36m_getitem_axis\u001b[1;34m(self, key, axis)\u001b[0m\n\u001b[0;32m 1865\u001b[0m \u001b[0mself\u001b[0m\u001b[1;33m.\u001b[0m\u001b[0m_validate_key\u001b[0m\u001b[1;33m(\u001b[0m\u001b[0mkey\u001b[0m\u001b[1;33m,\u001b[0m \u001b[0maxis\u001b[0m\u001b[1;33m)\u001b[0m\u001b[1;33m\u001b[0m\u001b[1;33m\u001b[0m\u001b[0m\n\u001b[0;32m 1866\u001b[0m \u001b[1;32mreturn\u001b[0m \u001b[0mself\u001b[0m\u001b[1;33m.\u001b[0m\u001b[0m_get_slice_axis\u001b[0m\u001b[1;33m(\u001b[0m\u001b[0mkey\u001b[0m\u001b[1;33m,\u001b[0m \u001b[0maxis\u001b[0m\u001b[1;33m=\u001b[0m\u001b[0maxis\u001b[0m\u001b[1;33m)\u001b[0m\u001b[1;33m\u001b[0m\u001b[1;33m\u001b[0m\u001b[0m\n\u001b[1;32m-> 1867\u001b[1;33m \u001b[1;32melif\u001b[0m \u001b[0mcom\u001b[0m\u001b[1;33m.\u001b[0m\u001b[0mis_bool_indexer\u001b[0m\u001b[1;33m(\u001b[0m\u001b[0mkey\u001b[0m\u001b[1;33m)\u001b[0m\u001b[1;33m:\u001b[0m\u001b[1;33m\u001b[0m\u001b[1;33m\u001b[0m\u001b[0m\n\u001b[0m\u001b[0;32m 1868\u001b[0m \u001b[1;32mreturn\u001b[0m \u001b[0mself\u001b[0m\u001b[1;33m.\u001b[0m\u001b[0m_getbool_axis\u001b[0m\u001b[1;33m(\u001b[0m\u001b[0mkey\u001b[0m\u001b[1;33m,\u001b[0m \u001b[0maxis\u001b[0m\u001b[1;33m=\u001b[0m\u001b[0maxis\u001b[0m\u001b[1;33m)\u001b[0m\u001b[1;33m\u001b[0m\u001b[1;33m\u001b[0m\u001b[0m\n\u001b[0;32m 1869\u001b[0m \u001b[1;32melif\u001b[0m \u001b[0mis_list_like_indexer\u001b[0m\u001b[1;33m(\u001b[0m\u001b[0mkey\u001b[0m\u001b[1;33m)\u001b[0m\u001b[1;33m:\u001b[0m\u001b[1;33m\u001b[0m\u001b[1;33m\u001b[0m\u001b[0m\n", "\u001b[1;32m~\\Anaconda3\\lib\\site-packages\\pandas\\core\\common.py\u001b[0m in \u001b[0;36mis_bool_indexer\u001b[1;34m(key)\u001b[0m\n\u001b[0;32m 99\u001b[0m \u001b[1;33m\u001b[0m\u001b[0m\n\u001b[0;32m 100\u001b[0m \u001b[1;32mdef\u001b[0m \u001b[0mis_bool_indexer\u001b[0m\u001b[1;33m(\u001b[0m\u001b[0mkey\u001b[0m\u001b[1;33m)\u001b[0m\u001b[1;33m:\u001b[0m\u001b[1;33m\u001b[0m\u001b[1;33m\u001b[0m\u001b[0m\n\u001b[1;32m--> 101\u001b[1;33m \u001b[1;32mif\u001b[0m \u001b[0misinstance\u001b[0m\u001b[1;33m(\u001b[0m\u001b[0mkey\u001b[0m\u001b[1;33m,\u001b[0m \u001b[1;33m(\u001b[0m\u001b[0mABCSeries\u001b[0m\u001b[1;33m,\u001b[0m \u001b[0mnp\u001b[0m\u001b[1;33m.\u001b[0m\u001b[0mndarray\u001b[0m\u001b[1;33m,\u001b[0m \u001b[0mABCIndex\u001b[0m\u001b[1;33m)\u001b[0m\u001b[1;33m)\u001b[0m\u001b[1;33m:\u001b[0m\u001b[1;33m\u001b[0m\u001b[1;33m\u001b[0m\u001b[0m\n\u001b[0m\u001b[0;32m 102\u001b[0m \u001b[1;32mif\u001b[0m \u001b[0mkey\u001b[0m\u001b[1;33m.\u001b[0m\u001b[0mdtype\u001b[0m \u001b[1;33m==\u001b[0m \u001b[0mnp\u001b[0m\u001b[1;33m.\u001b[0m\u001b[0mobject_\u001b[0m\u001b[1;33m:\u001b[0m\u001b[1;33m\u001b[0m\u001b[1;33m\u001b[0m\u001b[0m\n\u001b[0;32m 103\u001b[0m \u001b[0mkey\u001b[0m \u001b[1;33m=\u001b[0m \u001b[0mnp\u001b[0m\u001b[1;33m.\u001b[0m\u001b[0masarray\u001b[0m\u001b[1;33m(\u001b[0m\u001b[0m_values_from_object\u001b[0m\u001b[1;33m(\u001b[0m\u001b[0mkey\u001b[0m\u001b[1;33m)\u001b[0m\u001b[1;33m)\u001b[0m\u001b[1;33m\u001b[0m\u001b[1;33m\u001b[0m\u001b[0m\n", "\u001b[1;31mKeyboardInterrupt\u001b[0m: " ] } ], "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": 87, "metadata": {}, "outputs": [ { "name": "stdout", "output_type": "stream", "text": [ "Label classes: [0. 1. 2.]\n", "Number of samples of each class: [166. 2. 32.]\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": null, "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", " # insert current round number\n", " df.loc[index, 'Round'] = m\n", " # count labels\n", " estimated_labels[int(classes[j])] += 1" ] }, { "cell_type": "code", "execution_count": 90, "metadata": {}, "outputs": [ { "name": "stdout", "output_type": "stream", "text": [ "Number of auto-labeled samples in round 2: 9793\n", "Dict of estimated labels: {0: 9748, 1: 0, 2: 45}\n" ] } ], "source": [ "print('Number of auto-labeled samples in round {}: {}'.format(m, sum(estimated_labels.values())))\n", "print('Dict of estimated labels: {}'.format(estimated_labels))" ] }, { "cell_type": "code", "execution_count": 91, "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": "code", "execution_count": 92, "metadata": {}, "outputs": [ { "name": "stdout", "output_type": "stream", "text": [ "End of this round (no. 2):\n", "Number of manually labeled articles: 200\n", "Number of manually unlabeled articles: 9800\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": "markdown", "metadata": {}, "source": [ "END OF CURRENT ROUND. NEXT ROUND STARTS HERE." ] }, { "cell_type": "markdown", "metadata": {}, "source": [ "## Part III: Manual checking of auto-labeled articles" ] }, { "cell_type": "code", "execution_count": 93, "metadata": {}, "outputs": [ { "name": "stdout", "output_type": "stream", "text": [ "Last round number: 2\n" ] } ], "source": [ "# read current data set from csv\n", "df = pd.read_csv('../data/interactive_labeling_round_2.csv',\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))" ] }, { "cell_type": "code", "execution_count": 94, "metadata": {}, "outputs": [ { "name": "stdout", "output_type": "stream", "text": [ "This round number: 3\n" ] } ], "source": [ "# increase m\n", "m += 1\n", "print('This round number: {}'.format(m))" ] }, { "cell_type": "markdown", "metadata": {}, "source": [ "NEXT CELL IS OPTIONAL: Let the Naive Bayes Algorithm test the quality of data set's labels." ] }, { "cell_type": "code", "execution_count": 75, "metadata": {}, "outputs": [], "source": [ "# 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": "markdown", "metadata": {}, "source": [ "We now check (and correct if necessary) some auto-labeled articles." ] }, { "cell_type": "code", "execution_count": 99, "metadata": { "scrolled": true }, "outputs": [ { "name": "stdout", "output_type": "stream", "text": [ "News article no. 4554.0:\n", "\n", "HEADLINE:\n", "4554 Marshall Islands court dismisses Frontline's attempt to stop DHT-BW Group deal\n", "Name: Title, dtype: object\n", "\n", "TEXT:\n", "4554 Market News - Mon Jun 19, 2017 - 4:28am EDT Marshall Islands court dismisses Frontline's attempt to stop DHT-BW Group deal OSLO, June 19 The High Court of the Marshall Islands has dismissed with prejudice a lawsuit brought by tanker firm Frontline to stop rival DHT selling a major stake to shipper BW Group, DHT said on Monday. Frontline, which according to Thomson Reuters Eikon data holds a 10.3 percent stake in DHT and is controlled by shipping tycoon John Fredriksen, has been trying for the past year to take over its New York-listed rival. However, DHT struck a tankers-for-shares deal with BW Group in March, making the latter DHT's biggest shareholder with a stake of over 30 percent. On June 7 the same Marshall Islands court had rejected a preliminary injunction by Frontline in the same case. \"Frontline is now precluded from bringing similar claims against DHT, its directors and BW Group in any other court,\" DHT said in a statement. \"Under Marshall Islands' law, the dismissal also constitutes a ruling on the merits in favor of DHT.\" DHT's chairman Erik Lind said DHT \"was very pleased with the dismissal\". \"We have consistently stated, both in court and to our shareholders, that Frontline's claims are without merit. Two courts have now agreed with us, and we welcome the dismissal as an appropriate end to the matter,\" he said in the statement. Frontline declined to comment. (Reporting by Ole Petter Skonnord, writing by Gwladys Fouche, editing by Terje Solsvik) \n", "Name: Text, dtype: object\n" ] }, { "data": { "application/vnd.jupyter.widget-view+json": { "model_id": "9b9a6e93a3b246bfb510944245344776", "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: Other/Unrelated news, 1: Merger,\n", "2: Merger pending/in talks/to be approved or merger rejected/aborted/denied or\n", "Share Deal/Asset Deal/Acquisition or Merger as incidental remark/not main topic/not current or similar\n", "___________________________________________________________________________________________________\n", "\n", "\n", "News article no. 2246.0:\n", "\n", "HEADLINE:\n", "2246 Britain does not expect 50 billion pounds Brexit bill - Davis\n", "Name: Title, dtype: object\n", "\n", "TEXT:\n", "2246 7:57am BST Britain does not expect 50 billion pounds Brexit bill - Davis Britain's Secretary of State for Exiting the European Union David Davis arrives in Downing Street, London March 29, 2017. REUTERS/Hannah McKay LONDON Brexit minister David Davis said he did not expect Britain to have to pay 50 billion pounds to the European Union as part of the Brexit process and said the era of huge sums being paid to Brussels was coming to an end. British media reports have suggested that Britain could have to pay around 50 to 60 billion pounds in order to honour existing budget commitments as it negotiates its departure from the bloc. \"We haven't actually had any sort of submission to us from the Commission. But our view is very simple, we will meet our obligations, we are a law abiding country,\" Davis told broadcaster ITV on Thursday. \"We'll meet our responsibilities but we're not expecting anything like that,\" he said. \"The era of huge sums being paid to the European Union is coming to an end, so once we're out, that's it.\" (Reporting by Kate Holton; editing by Guy Faulconbridge) Next In Business News\n", "Name: Text, dtype: object\n" ] }, { "data": { "application/vnd.jupyter.widget-view+json": { "model_id": "86d2e4c58afe481396b73dbffb91a873", "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: Other/Unrelated news, 1: Merger,\n", "2: Merger pending/in talks/to be approved or merger rejected/aborted/denied or\n", "Share Deal/Asset Deal/Acquisition or Merger as incidental remark/not main topic/not current or similar\n", "___________________________________________________________________________________________________\n", "\n", "\n", "News article no. 2603.0:\n", "\n", "HEADLINE:\n", "2603 PRECIOUS-Gold hits 5-mth high on weaker dollar, geopolitical tensions\n", "Name: Title, dtype: object\n", "\n", "TEXT:\n", "2603 Company News 9:19pm EDT PRECIOUS-Gold hits 5-mth high on weaker dollar, geopolitical tensions April 13 Gold hit a five-month peak on Thursday as the U.S. dollar slid after President Donald Trump said he preferred lower interest rates with the greenback \"too strong\", and amid rising tensions over U.S. relations with Russia and North Korea. FUNDAMENTALS * Spot gold was up 0.1 percent at $1,286.80 per ounce by 0100 GMT, after hitting its strongest since Nov.10 at 1,287.31. * U.S. gold futures edged up 0.8 percent to $1,287.90. * The U.S. dollar took a heavy hit after President Donald Trump told the Wall Street Journal the dollar \"is getting too strong\" and that he would prefer the Federal Reserve to keep interest rates low. * Meanwhile, tensions continued over the United States' relationship with Russia over Syria and in the Korean peninsula, while worries about the upcoming French presidential election also kept investors nervous. * Russian President Vladimir Putin said on Wednesday trust had eroded between the United States and Russia under President Donald Trump as Moscow delivered an unusually hostile reception to Secretary of State Rex Tillerson in a face-off over Syria. * In another possible setback to a thaw with Moscow, Trump said on Wednesday that NATO is not obsolete, as he had declared during the election campaign last year. But he told a news conference at the White House with NATO Secretary General Jens Stoltenberg that alliance members still need to pay their fair share for the European security umbrella. * Chinese President Xi Jinping on Wednesday stressed the need for a peaceful solution for the Korean peninsula on a call with U.S President Donald Trump. * U.S. import prices recorded their biggest drop in seven months in March as the cost of petroleum declined, but the underlying trend pointed to a moderate rise in imported inflation as the dollar's rally fades. * Barrick Gold , must take steps to safeguard investor confidence by ensuring there are no more operating mishaps at its mines after a third incident in 18 months at its big Argentina mine, analysts said. * Goldman Sachs on Wednesday maintained its near-term target for gold at $1,200 per ounce and 12-month target at $1,250 per ounce. DATA AHEAD (GMT) 1230 U.S. Initial Jobless Claims weekly 1230 U.S. PPI Final Demand Mar 1400 U.S. U Mich Sentiment Prelim Apr 1430 U.S. ECRI Weekly index (Reporting by Nallur Sethuraman in BENGALURU; Editing by Kenneth Maxwell)\n", "Name: Text, dtype: object\n" ] }, { "data": { "application/vnd.jupyter.widget-view+json": { "model_id": "d1db037d43b04ec798686ad717a7adca", "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: Other/Unrelated news, 1: Merger,\n", "2: Merger pending/in talks/to be approved or merger rejected/aborted/denied or\n", "Share Deal/Asset Deal/Acquisition or Merger as incidental remark/not main topic/not current or similar\n", "___________________________________________________________________________________________________\n", "\n", "\n" ] } ], "source": [ "# indices of recently auto-labeled articles\n", "indices = df.loc[(df['Estimated'] != -1) & (df['Label'] == -1), 'Index'].tolist()\n", "\n", "batchsize = 100\n", "check_next = pick_random_articles(batchsize)\n", "\n", "for index in check_next:\n", " show_next(index)" ] }, { "cell_type": "code", "execution_count": 100, "metadata": {}, "outputs": [], "source": [ "# indicate that item has been corrected\n", "for index in check_next:\n", " df.loc[(df['Label'] != -1) & df['Estimated']...blablabla]\n", "\n", "# save intermediate status of round to csv\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": [ "NOW PLEASE CONTINUE WITH PART III.\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 }